code
stringlengths
3
10M
language
stringclasses
31 values
// 1. CHAIN IF WEIGHT #-1 ~Global("G#XB.SolaufeinXanBanter1","GLOBAL",1)~ THEN BO#XAN SolaufeinXanBanter#1.1 ~Solaufein, I need to speak to you in private. Will you oblige me?~ DO ~SetGlobal("G#XB.SolaufeinXanBanter1","GLOBAL",2)~ == BSOLA ~It seems that I cannot refuse this offer.~ == BO#XAN ~(sigh) And you are right. Let us come aside, here. Listen...~ == BO#XAN ~You have gone against an entire drow city. This requires uncanny courage. But marching to a certain death may take courage neither you nor I possess.~ == BSOLA ~You speak of Irenicus, do you not?~ == BO#XAN ~No. I speak of another enemy we are about to face. His sister. And I may not survive this meeting.~ == BO#XAN ~Perhaps you will. Perhaps you will get out of Bodhi's lair alive - who knows? But don't you dare abandon <CHARNAME>. Betray her, and I will find you from beyond the grave. Is this clear?~ == BSOLA ~I know well the price I have to pay for walking under these skies, Xan. And I know who brought me here. But allow me to ask you a question in turn. Do you think me capable of betrayal, because you doubt yourself?~ == BO#XAN ~I do. A part of me wants to run away. Another part of me squirms and whines and wants me to grab <CHARNAME>'s hand and disappear into the blue, regardless of her wishes. I do not know why I am telling you this: because I feel death approaching? (sigh) Rather, because this is all irrelevant: I may think whatever I like, but I will go forward, regardless.~ == BSOLA ~Then we are alike in this. Naught else needs be said.~ == BO#XAN ~You think so?~ == BSOLA ~When I knew Phaere ordered me killed, I wanted to enter her chambers, shake her and force her to look into my eyes, to become Phaere I once knew. Another part of me wanted her dead.~ == BSOLA ~But I did neither. I waited, and watched, and prepared a second set of silver dragon's eggs. My indifference became a weapon. My mind paid no attention to the bleeding heart. And I survived.~ == BO#XAN ~We are alike then. How strange.~ == BSOLA ~Let us hope it is our strength, then, and not our weakness.~ EXIT
D
/** Resource Copyright: (c) Enalye 2017 License: Zlib Authors: Enalye */ module magia.common.resource; import std.typecons; import std.file; import std.path; import std.algorithm: count; import std.conv: to; import magia.core; import magia.render; private { void*[string] _caches; string[string] _cachesSubFolder; } void setResourceCache(T)(ResourceCache!T cache) { static assert(!__traits(isAbstractClass, T), "Fetch cannot instanciate the abstract class " ~ T.stringof); _caches[T.stringof] = cast(void*)cache; } void getResourceCache(T)() { static assert(!__traits(isAbstractClass, T), "Fetch cannot instanciate the abstract class " ~ T.stringof); auto cache = T.stringof in _caches; assert(cache, "No cache declared of type " ~ T.stringof); return cast(ResourceCache!T)(*cache); } /// Is an object of this name and of this type stored ? bool canFetch(T)(string name) { static assert(!__traits(isAbstractClass, T), "Fetch cannot instanciate the abstract class " ~ T.stringof); auto cache = T.stringof in _caches; assert(cache, "No cache declared of type " ~ T.stringof); return (cast(ResourceCache!T)*cache).canGet(name); } /// Is an set of this name and of this type stored ? bool canFetchPack(T)(string name = ".") { static assert(!__traits(isAbstractClass, T), "Fetch cannot instanciate the abstract class " ~ T.stringof); auto cache = T.stringof in _caches; assert(cache, "No cache declared of type " ~ T.stringof); return (cast(ResourceCache!T)*cache).canGetPack(name); } /// Returns a stored resource. T fetch(T)(string name) { static assert(!__traits(isAbstractClass, T), "Fetch cannot instanciate the abstract class " ~ T.stringof); auto cache = T.stringof in _caches; assert(cache, "No cache declared of type " ~ T.stringof); return (cast(ResourceCache!T)*cache).get(name); } /// Returns all resources of a set. T[] fetchPack(T)(string name = ".") { static assert(!__traits(isAbstractClass, T), "Fetch cannot instanciate the abstract class " ~ T.stringof); auto cache = T.stringof in _caches; assert(cache, "No cache declared of type " ~ T.stringof); return (cast(ResourceCache!T)*cache).getPack(name); } /// Returns all resources' name of a set. string[] fetchPackNames(T)(string name = ".") { static assert(!__traits(isAbstractClass, T), "Fetch cannot instanciate the abstract class " ~ T.stringof); auto cache = T.stringof in _caches; assert(cache, "No cache declared of type " ~ T.stringof); return (cast(ResourceCache!T)*cache).getPackNames(name); } /// Returns all resources of a set as a tuple of the resource + its name. Tuple!(T, string)[] fetchPackTuples(T)(string name = ".") { static assert(!__traits(isAbstractClass, T), "Fetch cannot instanciate the abstract class " ~ T.stringof); auto cache = T.stringof in _caches; assert(cache, "No cache declared of type " ~ T.stringof); return (cast(ResourceCache!T)*cache).getPackTuples(name); } /// Returns everything of this type as tuples of the resources + their name. Tuple!(T, string)[] fetchAllTuples(T)() { static assert(!__traits(isAbstractClass, T), "Fetch cannot instanciate the abstract class " ~ T.stringof); auto cache = T.stringof in _caches; assert(cache, "No cache declared of type " ~ T.stringof); return (cast(ResourceCache!T)*cache).getAllTuples(); } /// Internal cache storing all loaded resources. class ResourceCache(T) { protected { Tuple!(T, string)[] _data; uint[string] _ids; uint[][string] _packs; } this() {} bool canGet(string name) { return (name in _ids) !is null; } bool canGetPack(string pack = ".") { return (buildNormalizedPath(pack) in _packs) !is null; } T get(string name) { auto p = (name in _ids); assert(p, "Resource: no \'" ~ name ~ "\' loaded"); return new T(_data[*p][0]); } T[] getPack(string pack = ".") { pack = buildNormalizedPath(pack); auto p = (pack in _packs); assert(p, "Resource: no pack \'" ~ pack ~ "\' loaded"); T[] result; foreach(i; *p) result ~= new T(_data[i][0]); return result; } string[] getPackNames(string pack = ".") { pack = buildNormalizedPath(pack); auto p = (pack in _packs); assert(p, "Resource: no pack \'" ~ pack ~ "\' loaded"); string[] result; foreach(i; *p) result ~= _data[i][1]; return result; } Tuple!(T, string)[] getPackTuples(string pack = ".") { pack = buildNormalizedPath(pack); auto p = (pack in _packs); assert(p, "Resource: no pack \'" ~ pack ~ "\' loaded"); Tuple!(T, string)[] result; foreach(i; *p) result ~= _data[i]; return result; } Tuple!(T, string)[] getAllTuples() { return _data; } void set(T value, string tag, string pack = "") { uint id = cast(uint)_data.length; if(pack.length) _packs[pack] ~= id; _ids[tag] = id; _data ~= tuple(value, tag); } } class DataCache(T): ResourceCache!T { this(string path, string sub, string filter) { path = buildPath(path, sub); if(!exists(path) || !isDir(path)) throw new Exception("The specified path is not a valid directory: \'" ~ path ~ "\'"); auto files = dirEntries(path, filter, SpanMode.depth); foreach(file; files) { string relativeFileName = stripExtension(relativePath(file, path)); string folder = dirName(relativeFileName); uint id = cast(uint)_data.length; _packs[folder] ~= id; _ids[relativeFileName] = id; _data ~= tuple(new T(file), relativeFileName); } } } private class SpriteCache(T): ResourceCache!T { this(string path, string sub, string filter, ResourceCache!Texture cache) { path = buildPath(path, sub); if(!exists(path) || !isDir(path)) throw new Exception("The specified path is not a valid directory: \'" ~ path ~ "\'"); auto files = dirEntries(path, filter, SpanMode.depth); foreach(file; files) { string relativeFileName = stripExtension(relativePath(file, path)); string folder = dirName(relativeFileName); auto texture = cache.get(relativeFileName); loadJson(file, texture); } } private void loadJson(string file, Texture texture) { auto sheetJson = parseJSON(readText(file)); foreach(string tag, JSONValue value; sheetJson.object) { if((tag in _ids) !is null) throw new Exception("Duplicate sprite defined \'" ~ tag ~ "\' in \'" ~ file ~ "\'"); T sprite = new T(texture); //Clip sprite.clip.x = getJsonInt(value, "x"); sprite.clip.y = getJsonInt(value, "y"); sprite.clip.z = getJsonInt(value, "w"); sprite.clip.w = getJsonInt(value, "h"); //Size/scale sprite.size = to!Vec2f(sprite.clip.zw); sprite.size *= Vec2f(getJsonFloat(value, "scalex", 1f), getJsonFloat(value, "scaley", 1f)); //Flip bool flipH = getJsonBool(value, "fliph", false); bool flipV = getJsonBool(value, "flipv", false); if(flipH && flipV) sprite.flip = Flip.BothFlip; else if(flipH) sprite.flip = Flip.HorizontalFlip; else if(flipV) sprite.flip = Flip.VerticalFlip; else sprite.flip = Flip.NoFlip; //Center expressed in texels, it does the same thing as Anchor Vec2f center = Vec2f(getJsonFloat(value, "centerx", -1f), getJsonFloat(value, "centery", -1f)); if(center.x > -.5f) //Temp sprite.anchor.x = center.x / cast(float)(sprite.clip.z); if(center.y > -.5f) sprite.anchor.y = center.y / cast(float)(sprite.clip.w); //Anchor, same as Center but uses a relative coordinate system where [.5,.5] is the center if(center.x < 0f) //Temp sprite.anchor.x = getJsonFloat(value, "anchorx", .5f); if(center.y < 0f) sprite.anchor.y = getJsonFloat(value, "anchory", .5f); //Type string type = getJsonStr(value, "type", "."); //Register sprite uint id = cast(uint)_data.length; _packs[type] ~= id; _ids[tag] = id; _data ~= tuple(sprite, tag); } } } private class TilesetCache(T): ResourceCache!T { this(string path, string sub, string filter, ResourceCache!Texture cache) { path = buildPath(path, sub); if(!exists(path) || !isDir(path)) throw new Exception("The specified path is not a valid directory: \'" ~ path ~ "\'"); auto files = dirEntries(path, filter, SpanMode.depth); foreach(file; files) { string relativeFileName = stripExtension(relativePath(file, path)); string folder = dirName(relativeFileName); auto texture = cache.get(relativeFileName); loadJson(file, texture); } } private void loadJson(string file, Texture texture) { auto sheetJson = parseJSON(readText(file)); foreach(string tag, JSONValue value; sheetJson.object) { if((tag in _ids) !is null) throw new Exception("Duplicate tileset defined \'" ~ tag ~ "\' in \'" ~ file ~ "\'"); Vec4i clip; int columns, lines, maxtiles; //Max number of tiles the tileset cannot exceeds maxtiles = getJsonInt(value, "tiles", -1); //Upper left border of the tileset clip.x = getJsonInt(value, "x", 0); clip.y = getJsonInt(value, "y", 0); //Tile size clip.z = getJsonInt(value, "w"); clip.w = getJsonInt(value, "h"); columns = getJsonInt(value, "columns", 1); lines = getJsonInt(value, "lines", 1); string type = getJsonStr(value, "type", "."); T tileset = new T(texture, clip, columns, lines, maxtiles); tileset.scale = Vec2f(getJsonFloat(value, "scalex", 1f), getJsonFloat(value, "scaley", 1f)); //Flip bool flipH = getJsonBool(value, "fliph", false); bool flipV = getJsonBool(value, "flipv", false); if(flipH && flipV) tileset.flip = Flip.BothFlip; else if(flipH) tileset.flip = Flip.HorizontalFlip; else if(flipV) tileset.flip = Flip.VerticalFlip; else tileset.flip = Flip.NoFlip; uint id = cast(uint)_data.length; _packs[type] ~= id; _ids[tag] = id; _data ~= tuple(tileset, tag); } } }
D
/Users/franklin/Desktop/Playground/AppDev/PokeDex3/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/ResponseSerialization.o : /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/MultipartFormData.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Timeline.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Alamofire.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Response.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/TaskDelegate.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/SessionDelegate.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/ParameterEncoding.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Validation.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/ResponseSerialization.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/SessionManager.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/AFError.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Notifications.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Result.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Request.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/ResponseSerialization~partial.swiftmodule : /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/MultipartFormData.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Timeline.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Alamofire.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Response.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/TaskDelegate.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/SessionDelegate.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/ParameterEncoding.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Validation.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/ResponseSerialization.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/SessionManager.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/AFError.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Notifications.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Result.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Request.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/ResponseSerialization~partial.swiftdoc : /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/MultipartFormData.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Timeline.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Alamofire.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Response.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/TaskDelegate.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/SessionDelegate.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/ParameterEncoding.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Validation.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/ResponseSerialization.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/SessionManager.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/AFError.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Notifications.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Result.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/Request.swift /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/franklin/Desktop/Playground/AppDev/PokeDex3/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap
D
/Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SnapKit.build/Objects-normal/x86_64/ConstraintView.o : /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutGuideDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutSupportDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintViewDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutGuide.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerExtendable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerRelatable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerEditable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerFinalizable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerPriortizable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintConfig.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/Debugging.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintItem.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/LayoutConstraintItem.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintRelation.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDescription.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMaker.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/Typealiases.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintAttributes.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutGuide+Extensions.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/UILayoutSupport+Extensions.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintView+Extensions.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDirectionalInsets.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintInsets.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintRelatableTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMultiplierTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintOffsetTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDirectionalInsetTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintInsetTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintConstantTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintPriorityTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/Constraint.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/LayoutConstraint.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutSupport.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintView.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintPriority.swift /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/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/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Target\ Support\ Files/SnapKit/SnapKit-umbrella.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SnapKit.build/unextended-module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SnapKit.build/Objects-normal/x86_64/ConstraintView~partial.swiftmodule : /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutGuideDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutSupportDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintViewDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutGuide.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerExtendable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerRelatable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerEditable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerFinalizable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerPriortizable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintConfig.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/Debugging.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintItem.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/LayoutConstraintItem.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintRelation.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDescription.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMaker.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/Typealiases.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintAttributes.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutGuide+Extensions.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/UILayoutSupport+Extensions.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintView+Extensions.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDirectionalInsets.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintInsets.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintRelatableTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMultiplierTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintOffsetTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDirectionalInsetTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintInsetTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintConstantTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintPriorityTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/Constraint.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/LayoutConstraint.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutSupport.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintView.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintPriority.swift /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/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/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Target\ Support\ Files/SnapKit/SnapKit-umbrella.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SnapKit.build/unextended-module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SnapKit.build/Objects-normal/x86_64/ConstraintView~partial.swiftdoc : /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutGuideDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutSupportDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintViewDSL.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutGuide.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerExtendable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerRelatable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerEditable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerFinalizable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMakerPriortizable.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintConfig.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/Debugging.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintItem.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/LayoutConstraintItem.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintRelation.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDescription.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMaker.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/Typealiases.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintAttributes.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutGuide+Extensions.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/UILayoutSupport+Extensions.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintView+Extensions.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDirectionalInsets.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintInsets.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintRelatableTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintMultiplierTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintOffsetTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintDirectionalInsetTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintInsetTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintConstantTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintPriorityTarget.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/Constraint.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/LayoutConstraint.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintLayoutSupport.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintView.swift /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/SnapKit/Source/ConstraintPriority.swift /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode11.3/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/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/JenishMistry/DEMOS/MVCDemoAPI/Pods/Target\ Support\ Files/SnapKit/SnapKit-umbrella.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/JenishMistry/DEMOS/MVCDemoAPI/DerivedData/MVCDemoAPI/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SnapKit.build/unextended-module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode11.3/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
INSTANCE Info_Mod_Andre_Argez (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Argez_Condition; information = Info_Mod_Andre_Argez_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Argez_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Garond_Argez)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Argez_Info() { AI_Output(self, hero, "Info_Mod_Andre_Argez_40_00"); //(streng) So, jetzt reicht es, mein Freund. Du kommst mit in die Kaserne, und dort haben wir erst mal etwas zu besprechen. B_LogEntry (TOPIC_MOD_ARGEZ, "Ich soll Lord Andre in die Kaserne folgen."); AI_StopProcessInfos (self); B_StartOtherRoutine (self, "PRESTART"); }; INSTANCE Info_Mod_Andre_Argez2 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Argez2_Condition; information = Info_Mod_Andre_Argez2_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Argez2_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Argez)) && (Npc_GetDistToWP(self, "NW_CITY_HABOUR_KASERN_MAIN_ENTRY") < 500) { return 1; }; }; FUNC VOID Info_Mod_Andre_Argez2_Info() { AI_Output(self, hero, "Info_Mod_Andre_Argez2_40_00"); //So, so. Neu in der Stadt und gleich Ärger am Hals. AI_Output(hero, self, "Info_Mod_Andre_Argez2_15_01"); //Das ist nicht meine Schuld. AI_Output(self, hero, "Info_Mod_Andre_Argez2_40_02"); //Ich weiß. Garond ist etwas ... übereifrig bei seiner neuen Aufgabe. Aber er wird sich schon noch daran gewöhnen. AI_Output(self, hero, "Info_Mod_Andre_Argez2_40_03"); //Nur - wenn du ein Anliegen hast, ist er die falsche Adresse. Ich habe mitbekommen, dass du jemanden in die Stadt bringen wolltest. Ist das richtig? AI_Output(hero, self, "Info_Mod_Andre_Argez2_15_04"); //Ja. AI_Output(self, hero, "Info_Mod_Andre_Argez2_40_05"); //Hat er irgendetwas in der Stadt verbrochen, weshalb er verbannt hätte werden können? AI_Output(hero, self, "Info_Mod_Andre_Argez2_15_06"); //Er hatte gar keine Gelegenheit dazu, soweit ich weiß. AI_Output(self, hero, "Info_Mod_Andre_Argez2_40_07"); //Na schön. Ich schlage vor, du führst deinen Freund durch das andere Stadttor beim Marktplatz. Ich werde veranlassen, dass ihr nicht aufgehalten werdet. AI_Output(self, hero, "Info_Mod_Andre_Argez2_40_08"); //Aber lasst euch nicht bei Garond blicken. Er würde wahrscheinlich ... ungehalten reagieren. B_LogEntry (TOPIC_MOD_ARGEZ, "Lord Andre hat empfohlen, dass ich Argez zu dem nördlicheren der beiden Stadttore führe, um Garond aus dem Weg zu gehen."); }; INSTANCE Info_Mod_Andre_Hi (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Hi_Condition; information = Info_Mod_Andre_Hi_Info; permanent = 0; important = 0; description = "Wer bist du?"; }; FUNC INT Info_Mod_Andre_Hi_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Argez2)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Hi_Info() { B_Say (hero, self, "$WHOAREYOU"); AI_Output(self, hero, "Info_Mod_Andre_Hi_40_01"); //Ich bin Lord Andre, Befehlshaber der Miliz und Stellvertretender Anführer der Paladine. AI_Output(self, hero, "Info_Mod_Andre_Hi_40_02"); //Was kann ich für dich tun? B_StartOtherRoutine (self, "START"); }; INSTANCE Info_Mod_Andre_Alvares (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Alvares_Condition; information = Info_Mod_Andre_Alvares_Info; permanent = 0; important = 0; description = "Was muss ich tun damit du Alvares freilässt?"; }; FUNC INT Info_Mod_Andre_Alvares_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Hi)) && (Npc_KnowsInfo(hero, Info_Mod_Alvares_Soeldner)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Alvares_Info() { AI_Output(hero, self, "Info_Mod_Andre_Alvares_15_00"); //Was muss ich tun damit du Alvares freilässt? AI_Output(self, hero, "Info_Mod_Andre_Alvares_40_01"); //Er hat sich mit einer unserer Milizen geschlagen. Dafür sitzt er die nächsten Tage erstmal. }; INSTANCE Info_Mod_Andre_AlvaresSchneller (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_AlvaresSchneller_Condition; information = Info_Mod_Andre_AlvaresSchneller_Info; permanent = 0; important = 0; description = "Gibt es keine Möglichkeit ihn schneller freizulassen?"; }; FUNC INT Info_Mod_Andre_AlvaresSchneller_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Alvares)) { return 1; }; }; FUNC VOID Info_Mod_Andre_AlvaresSchneller_Info() { AI_Output(hero, self, "Info_Mod_Andre_AlvaresSchneller_15_00"); //Gibt es keine Möglichkeit ihn schneller freizulassen? AI_Output(self, hero, "Info_Mod_Andre_AlvaresSchneller_40_01"); //Du könntest seine Strafe bezahlen. AI_Output(hero, self, "Info_Mod_Andre_AlvaresSchneller_15_02"); //Wieviel kostet es? AI_Output(self, hero, "Info_Mod_Andre_AlvaresSchneller_40_03"); //Nach seinen Missetaten? Das wird nicht billig. Entrichte 500 Goldmünzen. AI_Output(self, hero, "Info_Mod_Andre_AlvaresSchneller_40_04"); //Außerdem musst du noch einen anderen Straftäter der Gerichtsbarkeit unsere Stadt überführen. if (Mod_AlvaresAndre_Taeter == 1) { AI_Output(self, hero, "Info_Mod_Andre_AlvaresSchneller_40_07"); //Wenn ich mich recht erinnere, hast du das ja bereits getan. }; AI_Output(self, hero, "Info_Mod_Andre_AlvaresSchneller_40_05"); //Oder bezwinge die Banditen, die irgendwo in der Nähe von Akil’s Hof im Wald ihr Lager haben und bringe mir ihre Waffen. AI_Output(self, hero, "Info_Mod_Andre_AlvaresSchneller_40_06"); //Oft genug haben sie fahrende Händler überfallen. B_LogEntry (TOPIC_MOD_TORLOF_NEUERANWÄRTER, "Alvarez könnte ein viel versprechender Söldneranwärter sein. Damit Andre ihn jedoch aus dem Gefängnis entlässt, muss ich nicht nur 500 Goldmünzen zahlen, sondern auch einen anderen Straftäter bei Andre melden oder drei Banditen in der Nähe von Akil’s Hof unschädlich machen und ihm ihre Waffen bringen."); Wld_InsertNpc (Mod_7217_BDT_Bandit_NW, "FARM2"); Wld_InsertNpc (Mod_7218_BDT_Bandit_NW, "FARM2"); Wld_InsertNpc (Mod_7219_BDT_Bandit_NW, "FARM2"); }; INSTANCE Info_Mod_Andre_AlvaresBanditen (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_AlvaresBanditen_Condition; information = Info_Mod_Andre_AlvaresBanditen_Info; permanent = 0; important = 0; description = "Die Banditen werden keinen Ärger mehr anrichten."; }; FUNC INT Info_Mod_Andre_AlvaresBanditen_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Alvares)) && (Npc_IsDead(Mod_7217_BDT_Bandit_NW)) && (Npc_IsDead(Mod_7218_BDT_Bandit_NW)) && (Npc_IsDead(Mod_7219_BDT_Bandit_NW)) && (Npc_HasItems(hero, ItMw_Banditenschwert_Andre) == 3) { return 1; }; }; FUNC VOID Info_Mod_Andre_AlvaresBanditen_Info() { AI_Output(hero, self, "Info_Mod_Andre_AlvaresBanditen_15_00"); //Die Banditen werden keinen Ärger mehr anrichten. AI_Output(self, hero, "Info_Mod_Andre_AlvaresBanditen_40_01"); //Sehr gut. Und ihre Waffen? AI_Output(hero, self, "Info_Mod_Andre_AlvaresBanditen_15_02"); //Hier sind sie. B_GiveInvItems (hero, self, ItMw_Banditenschwert_Andre, 3); AI_Output(self, hero, "Info_Mod_Andre_AlvaresBanditen_40_03"); //Ausgezeichnet. Damit wird die Umgebung der Stadt ein großes Stück sicherer. B_GivePlayerXP (50); }; INSTANCE Info_Mod_Andre_AlvaresGeld (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_AlvaresGeld_Condition; information = Info_Mod_Andre_AlvaresGeld_Info; permanent = 0; important = 0; description = "Lass Alvares frei (500 Gold geben)"; }; FUNC INT Info_Mod_Andre_AlvaresGeld_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_AlvaresSchneller)) && (Npc_HasItems(hero, ItMi_Gold) >= 500) && ((Npc_KnowsInfo(hero, Info_Mod_Andre_AlvaresBanditen)) || (Mod_AlvaresAndre_Taeter == 1)) { return 1; }; }; FUNC VOID Info_Mod_Andre_AlvaresGeld_Info() { AI_Output(hero, self, "Info_Mod_Andre_AlvaresGeld_15_00"); //Lass Alvares frei. B_GiveInvItems (hero, self, ItMi_Gold, 500); AI_Output(self, hero, "Info_Mod_Andre_AlvaresGeld_40_01"); //Gut, du kannst ihn mitnehmen. B_LogEntry (TOPIC_MOD_TORLOF_NEUERANWÄRTER, "Ich habe das Gold für Alvares bezahlt und ich kann ihn jetzt mitnehmen."); B_Göttergefallen(1, 1); B_GivePlayerXP (50); }; INSTANCE Info_Mod_Andre_Miliz (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Miliz_Condition; information = Info_Mod_Andre_Miliz_Info; permanent = 0; important = 0; description = "Ich will mich der Miliz anschließen."; }; FUNC INT Info_Mod_Andre_Miliz_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Hi)) && (Mod_Gilde == 0) { return 1; }; }; FUNC VOID Info_Mod_Andre_Miliz_Info() { AI_Output(hero, self, "Info_Mod_Andre_Miliz_15_00"); //Ich will mich der Miliz anschließen. AI_Output(self, hero, "Info_Mod_Andre_Miliz_40_01"); //Wir nehmen nur die besten auf. Wir veranstalten heute ein Turnier und der Sieger wird bei der Miliz aufgenommen. AI_Output(self, hero, "Info_Mod_Andre_Miliz_40_02"); //Du hast Glück, dass noch ein Platz frei ist. Mod_MilizTurnier = 0; Log_CreateTopic (TOPIC_MOD_MILIZTURNIER, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_MILIZTURNIER, LOG_RUNNING); B_LogEntry_More (TOPIC_MOD_MILIZ, TOPIC_MOD_MILIZTURNIER, "Wenn ich mich der Miliz anschließen will, dann muss ich das Turnier gewinnen.", "Wenn ich mich der Miliz anschließen will, dann muss ich das Turnier gewinnen."); }; INSTANCE Info_Mod_Andre_Kristall (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Kristall_Condition; information = Info_Mod_Andre_Kristall_Info; permanent = 0; important = 0; description = "Lothar schickt mich (Kristall geben)"; }; FUNC INT Info_Mod_Andre_Kristall_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Lothar_Bier)) && (Npc_KnowsInfo(hero, Info_Mod_Lothar_Kristall)) && (Npc_HasItems(hero, Mod_PaladinKristall) >= 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_Kristall_Info() { AI_Output(hero, self, "Info_Mod_Andre_Kristall_15_00"); //Lothar schickt mich. Ich soll dir den Kristall bringen. B_GiveInvItems (hero, self, Mod_PaladinKristall, 1); AI_Output(self, hero, "Info_Mod_Andre_Kristall_40_01"); //Wo hast du den Kristall her? AI_Output(hero, self, "Info_Mod_Andre_Kristall_15_02"); //Ich habe ihn den Dieben abgenommen. AI_Output(self, hero, "Info_Mod_Andre_Kristall_40_03"); //Sehr gut. Wenn du willst, kannst du nun der Miliz beitreten. B_GivePlayerXP (200); B_LogEntry_More (TOPIC_MOD_MILIZ, TOPIC_MOD_SÖLDNER, "Lord Andre ist bereit mich bei der Miliz aufzunehmen.", "Ich hab den Kristall Lord Andre gegeben. Torlof wird das sicherlich nicht sehr gefallen."); B_SetTopicStatus (TOPIC_MOD_TORLOFSPIONAGE, LOG_FAILED); B_Göttergefallen(1, 3); }; INSTANCE Info_Mod_Andre_TurnierSinbad (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_TurnierSinbad_Condition; information = Info_Mod_Andre_TurnierSinbad_Info; permanent = 0; important = 0; description = "Ich habe von einem Turnier gehört ..."; }; FUNC INT Info_Mod_Andre_TurnierSinbad_Condition() { if (!Npc_KnowsInfo(hero, Info_Mod_Andre_Regeln)) && (Npc_KnowsInfo(hero, Info_Mod_Sinbad_Hi)) { return 1; }; }; FUNC VOID Info_Mod_Andre_TurnierSinbad_Info() { AI_Output(hero, self, "Info_Mod_Andre_TurnierSinbad_15_00"); //Ich habe von einem Turnier gehört ... AI_Output(self, hero, "Info_Mod_Andre_TurnierSinbad_40_01"); //Das stimmt. Ein Platz ist noch frei, falls du teilnehmen willst. Mod_MilizTurnier = 0; }; INSTANCE Info_Mod_Andre_Regeln (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Regeln_Condition; information = Info_Mod_Andre_Regeln_Info; permanent = 0; important = 0; description = "Wie sind die Regeln für das Turnier?"; }; FUNC INT Info_Mod_Andre_Regeln_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Miliz)) || (Npc_KnowsInfo(hero, Info_Mod_Andre_TurnierSinbad)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Regeln_Info() { AI_Output(hero, self, "Info_Mod_Andre_Regeln_15_00"); //Wie sind die Regeln für das Turnier? AI_Output(self, hero, "Info_Mod_Andre_Regeln_40_01"); //Magie und Fernkampf sind im Turnier nicht erlaubt, weil du nicht töten darfst. }; INSTANCE Info_Mod_Andre_Turnier1 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Turnier1_Condition; information = Info_Mod_Andre_Turnier1_Info; permanent = 0; important = 0; description = "Wer ist mein erster Gegner?"; }; FUNC INT Info_Mod_Andre_Turnier1_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Regeln)) && (Mod_Gilde == 0) && (Mod_MilizTurnier == 0) { return 1; }; }; FUNC VOID Info_Mod_Andre_Turnier1_Info() { AI_Output(hero, self, "Info_Mod_Andre_Turnier1_15_00"); //Wer ist mein erster Gegner? AI_Output(self, hero, "Info_Mod_Andre_Turnier1_40_01"); //Er heißt Till. Er müsste jeden Augenblick hier eintreffen. B_StartOtherRoutine (Mod_541_NONE_Till_NW, "TURNIER"); B_StartOtherRoutine (Mod_1176_MIL_Miliz_NW, "KAMPF"); B_StartOtherRoutine (Mod_1177_MIL_Miliz_NW, "KAMPF"); B_StartOtherRoutine (Mod_1175_MIL_Miliz_NW, "KAMPF"); B_StartOtherRoutine (Mod_755_MIL_Wambo_NW, "KAMPF"); AI_Teleport (Mod_541_NONE_Till_NW, "NW_CITY_HABOUR_KASERN_11"); if (Assassinen_Dabei == 0) { B_LogEntry (TOPIC_MOD_MILIZTURNIER, "Mein erster Gegner beim Turnier ist Till."); }; }; INSTANCE Info_Mod_Andre_Turnier2 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Turnier2_Condition; information = Info_Mod_Andre_Turnier2_Info; permanent = 0; important = 0; description = "Ich habe gegen Till gekämpft."; }; FUNC INT Info_Mod_Andre_Turnier2_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Till_KampfEnde)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Turnier2_Info() { AI_Output(hero, self, "Info_Mod_Andre_Turnier2_15_00"); //Ich habe gegen Till gekämpft. if (Mod_MilizTurnier == 2) { AI_Output(self, hero, "Info_Mod_Andre_Turnier2_40_01"); //Du hast ihn besiegt. Damit bist du in der nächsten Runde. AI_Output(self, hero, "Info_Mod_Andre_Turnier2_40_02"); //Dein nächster Gegner ist Alrik. AI_Teleport (Mod_547_NONE_Alrik_NW, "NW_CITY_HABOUR_KASERN_11"); B_StartOtherRoutine (Mod_547_NONE_Alrik_NW, "TURNIER"); B_StartOtherRoutine (Mod_1176_MIL_Miliz_NW, "KAMPF"); B_StartOtherRoutine (Mod_1177_MIL_Miliz_NW, "KAMPF"); B_StartOtherRoutine (Mod_1175_MIL_Miliz_NW, "KAMPF"); B_StartOtherRoutine (Mod_755_MIL_Wambo_NW, "KAMPF"); AI_Teleport (Mod_547_NONE_Alrik_NW, "NW_CITY_HABOUR_KASERN_11"); if (Assassinen_Dabei == 0) { B_LogEntry (TOPIC_MOD_MILIZTURNIER, "Mein zweiter Gegner ist beim Turnier ist Alrik."); }; Mod_MilizTurnier = 4; B_Göttergefallen(1, 1); B_GivePlayerXP (100); } else if (Mod_MilizTurnier == 3) { AI_Output(self, hero, "Info_Mod_Andre_Turnier2_40_03"); //Du hast verloren. Damit bist du aus dem Turnier ausgeschieden. AI_Output(hero, self, "Info_Mod_Andre_Turnier2_15_04"); //Gibt es noch eine andere Möglichkeit mich der Miliz anzuschließen? Mod_AndreTurnier = 2; Mod_MilizErnst = r_max(99); if (Mod_MilizErnst <= 25) { AI_Output(self, hero, "Info_Mod_Andre_Turnier2_40_05"); //Wenn du dich wirklich der Miliz anschließen willst, dann geh mal zu Mortis. Du findest ihn in der Kasernen-Schmiede. Mod_MilizTurnier = 9; if (Assassinen_Dabei == 0) { B_LogEntry (TOPIC_MOD_MILIZ, "Wenn ich mich trotz der Niederlage im Turnier der Miliz anschließen will, dann soll ich mal zu Mortis gehen."); }; } else { AI_Output(self, hero, "Info_Mod_Andre_Turnier2_40_06"); //Du hast gegen einen Bauer verloren. Jemanden wie dich können wir nicht bei der Miliz gebrauchen. if (Assassinen_Dabei == 0) { B_LogEntry (TOPIC_MOD_MILIZ, "Lord Andre wird mich wegen meiner Niederlage gegen Till nicht in der Miliz aufnehmen."); }; }; }; }; INSTANCE Info_Mod_Andre_Turnier3 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Turnier3_Condition; information = Info_Mod_Andre_Turnier3_Info; permanent = 0; important = 0; description = "Ich habe gegen Alrik gekämpft."; }; FUNC INT Info_Mod_Andre_Turnier3_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Alrik_KampfEnde)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Turnier3_Info() { AI_Output(hero, self, "Info_Mod_Andre_Turnier3_15_00"); //Ich habe gegen Alrik gekämpft. if (Mod_MilizTurnier == 6) { AI_Output(self, hero, "Info_Mod_Andre_Turnier3_40_01"); //Glückwunsch, du hast ihn besiegt. Damit hast du jetzt du nur noch einen Kampf. AI_Output(self, hero, "Info_Mod_Andre_Turnier3_40_06"); //Dein nächster Gegner ist Gidan. Viel Glück! if (Assassinen_Dabei == 0) { B_LogEntry (TOPIC_MOD_MILIZTURNIER, "Ich habe auch Alrik besiegt. Lord Andre sagt, dass ich jetzt nur noch einen Kampf vor mir habe."); }; B_StartOtherRoutine (Mod_1176_MIL_Miliz_NW, "KAMPF"); B_StartOtherRoutine (Mod_1177_MIL_Miliz_NW, "KAMPF"); B_StartOtherRoutine (Mod_1175_MIL_Miliz_NW, "KAMPF"); B_StartOtherRoutine (Mod_755_MIL_Wambo_NW, "KAMPF"); Mod_MilizTurnier = 8; B_Göttergefallen(1, 1); B_GivePlayerXP (200); } else if (Mod_MilizTurnier == 7) { AI_Output(self, hero, "Info_Mod_Andre_Turnier3_40_02"); //Du hast verloren. Damit bist du aus dem Turnier ausgeschieden. AI_Output(hero, self, "Info_Mod_Andre_Turnier3_15_03"); //Gibt es noch eine andere Möglichkeit mich der Miliz anzuschließen? Mod_AndreTurnier = 2; Mod_MilizErnst = r_max(99); if (Mod_MilizErnst <= 50) { AI_Output(self, hero, "Info_Mod_Andre_Turnier3_40_04"); //Wenn du dich wirklich der Miliz anschließen willst, dann geh mal zu Mortis. Du findest ihn in der Kasernen-Schmiede. Mod_MilizTurnier = 9; if (Assassinen_Dabei == 0) { B_LogEntry (TOPIC_MOD_MILIZ, "Wenn ich mich trotz der Niederlage im Turnier der Miliz anschließen will, dann soll ich mal zu Mortis gehen."); }; } else { AI_Output(self, hero, "Info_Mod_Andre_Turnier3_40_05"); //Du hast verloren und hast dir dadurch die Chance verbaut bei der Miliz mitzumachen. if (Assassinen_Dabei == 0) { B_LogEntry (TOPIC_MOD_MILIZ, "Durch meine Niederlage gegen Alrik hab ich mir den Weg zur Miliz verbaut."); }; }; }; }; INSTANCE Info_Mod_Andre_Turnier4 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Turnier4_Condition; information = Info_Mod_Andre_Turnier4_Info; permanent = 0; important = 0; description = "Ich habe gegen Gidan gekämpft."; }; FUNC INT Info_Mod_Andre_Turnier4_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Gidan_KampfEnde)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Turnier4_Info() { AI_Output(hero, self, "Info_Mod_Andre_Turnier4_15_00"); //Ich habe gegen Gidan gekämpft. if (Mod_MilizTurnier == 11) { AI_Output(self, hero, "Info_Mod_Andre_Turnier4_40_01"); //Glückwunsch, du hast ihn besiegt. Damit hast du dir eine Aufnahme bei der Miliz verdient. if (Mod_Gilde == 0) { B_LogEntry (TOPIC_MOD_MILIZTURNIER, "Ich habe auch Gidan besiegt. Lord Andre sagt, dass ich mich jetzt der Miliz anschließen kann."); } else { AI_Output(hero, self, "Info_Mod_Andre_Turnier4_15_06"); //Ich gehöre schon zu einer anderen Gruppe. Das war nur Training für mich. AI_Output(self, hero, "Info_Mod_Andre_Turnier4_40_07"); //Du bist ein erstaunlicher Kerl. Schade, ich könnte dich gut gebrauchen. if (Npc_KnowsInfo(hero, Info_Mod_Sinbad_Hi)) { AI_Output(self, hero, "Info_Mod_Andre_Turnier4_40_08"); //Aber diese Urkunde nimmst du doch. B_GiveInvItems (self, hero, ItWr_TurnierUrkunde, 1); }; }; if (Assassinen_Dabei == 0) { B_SetTopicStatus (TOPIC_MOD_MILIZTURNIER, LOG_SUCCESS); }; Mod_AndreTurnier = 1; Mod_MilizTurnier = 13; B_Göttergefallen(1, 1); B_GivePlayerXP (300); } else if (Mod_MilizTurnier == 12) { AI_Output(self, hero, "Info_Mod_Andre_Turnier4_40_02"); //Du hast verloren. Damit bist du aus dem Turnier ausgeschieden. if (Assassinen_Dabei == 0) { AI_Output(hero, self, "Info_Mod_Andre_Turnier4_15_03"); //Gibt es noch eine andere Möglichkeit mich der Miliz anzuschließen? Mod_AndreTurnier = 2; Mod_MilizErnst = r_max(99); if (Mod_MilizErnst <= 75) { AI_Output(self, hero, "Info_Mod_Andre_Turnier4_40_04"); //Wenn du dich wirklich der Miliz anschließen willst, dann geh mal zu Mortis. Du findest ihn in der Kasernen-Schmiede. Mod_MilizTurnier = 9; B_LogEntry (TOPIC_MOD_MILIZ, "Wenn ich mich trotz der Niederlage im Turnier der Miliz anschließen will, dann soll ich mal zu Mortis gehen."); } else { AI_Output(self, hero, "Info_Mod_Andre_Turnier4_40_05"); //Du hast verloren und hast dir dadurch die Chance verbaut bei der Miliz mitzumachen. B_LogEntry (TOPIC_MOD_MILIZ, "Durch meine Niederlage gegen Gidan hab ich mir den Weg zur Miliz verbaut."); }; }; }; }; INSTANCE Info_Mod_Andre_Aufnahme (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Aufnahme_Condition; information = Info_Mod_Andre_Aufnahme_Info; permanent = 1; important = 0; description = "Ich bin bereit mich der Miliz anzuschließen."; }; FUNC INT Info_Mod_Andre_Aufnahme_Condition() { if (Mod_Gilde == 0) && ((Npc_KnowsInfo(hero, Info_Mod_Andre_Kristall)) || (Mod_MilizTurnier == 13) || (Npc_KnowsInfo(hero, Info_Mod_Mortis_OK))) { return 1; }; }; FUNC VOID Info_Mod_Andre_Aufnahme_Info() { AI_Output(hero, self, "Info_Mod_Andre_Aufnahme_15_00"); //Ich bin bereit mich der Miliz anzuschließen. if (hero.level >= 5) && (Diebe_Dabei == FALSE) { AI_Output(self, hero, "Info_Mod_Andre_Aufnahme_40_01"); //Du bist bereit dich der Miliz anzuschließen. AI_Output(self, hero, "Info_Mod_Andre_Aufnahme_40_02"); //Doch wenn du einmal die Rüstung unserer Soldaten trägst, dann gibt es kein zurück mehr. if (Mod_HatPlayerNeutraleKlamotten()) { if (Mod_Gottstatus <= 8) { AI_Output(self, hero, "Info_Mod_Andre_Aufnahme_40_05"); //Du solltest allerdings vorher noch ein paar Taten zu Gunsten von Innos vollbringen. } else { Info_ClearChoices (Info_Mod_Andre_Aufnahme); Info_AddChoice (Info_Mod_Andre_Aufnahme, "Ich habs mir anders überlegt.", Info_Mod_Andre_Aufnahme_Nein); Info_AddChoice (Info_Mod_Andre_Aufnahme, "Ich will mich euch anschließen.", Info_Mod_Andre_Aufnahme_Ja); }; } else { AI_Output(self, hero, "Info_Mod_Andre_Aufnahme_40_04"); //Du solltest dir vorher aber noch eine neutrale Rüstung besorgen. }; } else if (Diebe_Dabei == TRUE) { AI_Output(self, hero, "Info_Mod_Andre_Aufnahme_40_06"); //Wie ich hörte sollst du dich mit dem Gesindel im Hafenviertel herumtreiben. So jemanden können wir nicht bei der Miliz gebrauchen. } else { AI_Output(self, hero, "Info_Mod_Andre_Aufnahme_40_03"); //Du solltest lieber noch etwas Erfahrung sammeln. }; }; FUNC VOID Info_Mod_Andre_Aufnahme_Nein() { AI_Output(hero, self, "Info_Mod_Andre_Aufnahme_Nein_15_00"); //Ich hab's mir anders überlegt. AI_Output(self, hero, "Info_Mod_Andre_Aufnahme_Nein_40_01"); //Wie du meinst. Info_ClearChoices (Info_Mod_Andre_Aufnahme); }; FUNC VOID Info_Mod_Andre_Aufnahme_Ja() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Kristall)) && (Mod_MilizTurnier != 13) && (!Npc_KnowsInfo(hero, Info_Mod_Mortis_OK)) { Spine_UnlockAchievement(SPINE_ACHIEVEMENT_52); } else { Spine_UnlockAchievement(SPINE_ACHIEVEMENT_53); }; Spine_UnlockAchievement(SPINE_ACHIEVEMENT_55); Spine_UnlockAchievement(SPINE_ACHIEVEMENT_57); AI_Output(hero, self, "Info_Mod_Andre_Aufnahme_Ja_15_00"); //Ich will mich euch anschließen. AI_Output(self, hero, "Info_Mod_Andre_Aufnahme_Ja_40_01"); //Gut. Hier ist deine Rüstung. CreateInvItems (self, ITAR_MIL_L, 1); B_GiveInvItems (self, hero, ITAR_MIL_L, 1); AI_UnequipArmor (hero); AI_EquipArmor (hero, ItAr_Mil_L); AI_Output(self, hero, "Info_Mod_Andre_Aufnahme_Ja_40_02"); //Pass aber auf, wo du dich damit sehen lässt, die Söldner und die Beliaranhänger werden nicht zögern dich zu töten. AI_Output(hero, self, "Info_Mod_Andre_Aufnahme_Ja_15_03"); //Wie steht's mit einer Waffe? AI_Output(self, hero, "Info_Mod_Andre_Aufnahme_Ja_40_04"); //Die Milizen haben bei uns Schwerter. Geh auf den Marktplatz, da werden welche verkauft. B_LogEntry_More (TOPIC_MOD_GILDENAUFNAHME, TOPIC_MOD_Miliz, "Ich bin jetzt ein Mitglied der Miliz.", "Ich bin jetzt ein Mitglied der Miliz."); B_SetTopicStatus (TOPIC_MOD_Miliz, LOG_SUCCESS); B_SetTopicStatus (TOPIC_MOD_GILDENAUFNAHME, LOG_SUCCESS); B_SetTopicStatus (TOPIC_MOD_FEUERMAGIER, LOG_FAILED); B_SetTopicStatus (TOPIC_MOD_DAEMONENBESCHWOERER, LOG_FAILED); B_SetTopicStatus (TOPIC_MOD_WASSERMAGIER, LOG_FAILED); B_SetTopicStatus (TOPIC_MOD_SÖLDNER, LOG_FAILED); Info_ClearChoices (Info_Mod_Andre_Aufnahme); Mod_Gilde = 1; hero.guild = GIL_PAL; Npc_SetTrueGuild (hero, GIL_PAL); Snd_Play ("LEVELUP"); B_GivePlayerXP (400); Monster_Max += 7; B_Göttergefallen(1, 5); AI_UnequipArmor (Mod_1723_MIL_Gidan_NW); CreateInvItems (Mod_1723_MIL_Gidan_NW, ItAr_Mil_M, 1); AI_EquipArmor (Mod_1723_MIL_Gidan_NW, ItAr_Mil_M); }; INSTANCE Info_Mod_Andre_Sinbad01 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Sinbad01_Condition; information = Info_Mod_Andre_Sinbad01_Info; permanent = 0; important = 0; description = "Kennst du mich noch?"; }; FUNC INT Info_Mod_Andre_Sinbad01_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Sinbad_Hi)) && (Mod_AndreTurnier == 1) && (!Npc_KnowsInfo(hero, Info_Mod_Sinbad_Urkunde)) && (Npc_HasItems(hero, ItWr_TurnierUrkunde) == 0) { return 1; }; }; FUNC VOID Info_Mod_Andre_Sinbad01_Info() { AI_Output(hero, self, "Info_Mod_Andre_Sinbad01_15_00"); //Kennst du mich noch? AI_Output(self, hero, "Info_Mod_Andre_Sinbad01_40_01"); //Natürlich. Du hast den Wettkampf gewonnen. AI_Output(hero, self, "Info_Mod_Andre_Sinbad01_15_02"); //Genau. Nun hätte ich gerne so was wie eine Urkunde. AI_Output(self, hero, "Info_Mod_Andre_Sinbad01_40_03"); //Hab ich dir die nicht gegeben. AI_Output(hero, self, "Info_Mod_Andre_Sinbad01_15_04"); //Nein. AI_Output(self, hero, "Info_Mod_Andre_Sinbad01_40_05"); //Steht dir natürlich zu. Bitte sehr. B_GiveInvItems (self, hero, ItWr_TurnierUrkunde, 1); }; INSTANCE Info_Mod_Andre_Sinbad02 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Sinbad02_Condition; information = Info_Mod_Andre_Sinbad02_Info; permanent = 0; important = 0; description = "Ich will noch mal zum Turnier antreten."; }; FUNC INT Info_Mod_Andre_Sinbad02_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Sinbad_Hi)) && (Mod_AndreTurnier == 2) && (!Npc_KnowsInfo(hero, Info_Mod_Sinbad_Urkunde)) && (Npc_HasItems(hero, ItWr_TurnierUrkunde) == 0) { return 1; }; }; FUNC VOID Info_Mod_Andre_Sinbad02_Info() { AI_Output(hero, self, "Info_Mod_Andre_Sinbad02_15_00"); //Ich will noch mal zum Turnier antreten. AI_Output(self, hero, "Info_Mod_Andre_Sinbad02_40_01"); //Du hast doch schon verloren. Gidan ist Turniersieger. Allerdings ist der abgehauen. AI_Output(hero, self, "Info_Mod_Andre_Sinbad02_15_02"); //(interressiert) Und das heißt? AI_Output(self, hero, "Info_Mod_Andre_Sinbad02_40_03"); //Man sagt, er hat sich besoffen und sich dann mit dem Schattenläufer im Tal am Osttor angelegt. Jedenfalls ist er nicht wieder aufgetaucht. AI_Output(hero, self, "Info_Mod_Andre_Sinbad02_15_04"); //(eifrig) Dann ist der Platz wieder frei? AI_Output(self, hero, "Info_Mod_Andre_Sinbad02_40_05"); //Im Prinzip ja. Also gut: Du gehst runter und schaust nach, was da los ist. AI_Output(self, hero, "Info_Mod_Andre_Sinbad02_40_06"); //Ist Gidan tot, hast du den Schattenläufer als Gegner. Wenn du den besiegst, kannst du den Pokal behalten. AI_Output(hero, self, "Info_Mod_Andre_Sinbad02_15_07"); //Bin schon weg. B_KillNpc (Mod_1723_MIL_Gidan_NW); }; INSTANCE Info_Mod_Andre_Sinbad03 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Sinbad03_Condition; information = Info_Mod_Andre_Sinbad03_Info; permanent = 0; important = 0; description = "Gidan ist Vergangenheit und der Schattenläufer Geschichte."; }; FUNC INT Info_Mod_Andre_Sinbad03_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Sinbad02)) && (Npc_HasItems(hero, ItMi_TurnierPokal) == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_Sinbad03_Info() { AI_Output(hero, self, "Info_Mod_Andre_Sinbad03_15_00"); //Gidan ist Vergangenheit und der Schattenläufer Geschichte. Hier, der Pokal. AI_Output(self, hero, "Info_Mod_Andre_Sinbad03_40_01"); //Saubere Arbeit. Kannst ihn behalten. Und wenn du uns beitreten willst ... AI_Output(hero, self, "Info_Mod_Andre_Sinbad03_15_02"); //Werde es mir überlegen. Bis dann. }; INSTANCE Info_Mod_Andre_Auftrag (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Auftrag_Condition; information = Info_Mod_Andre_Auftrag_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Auftrag_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Gidan_Andre)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Auftrag_Info() { AI_Output(self, hero, "Info_Mod_Andre_Auftrag_40_00"); //Gut, dass du kommst, es gibt jede Menge zu tun! AI_Output(hero, self, "Info_Mod_Andre_Auftrag_15_01"); //Ach ja? Was denn? AI_Output(self, hero, "Info_Mod_Andre_Auftrag_40_02"); //Nun zum Einen ist ein Wissenschaftler aus der Oberstadt verschwunden, vermutlich entführt worden. AI_Output(self, hero, "Info_Mod_Andre_Auftrag_40_03"); //Zum Andren scheinen die alten fanatischen Sektenspinner irgendwas zu planen. Und zu allem Überfluss wurde auch die letzte Karawane, die Richtung Kloster unterwegs war, von seltsamen Golems überfallen. AI_Output(hero, self, "Info_Mod_Andre_Auftrag_15_04"); //Wow, ziemlich viel auf einmal. AI_Output(self, hero, "Info_Mod_Andre_Auftrag_40_05"); //Ja, deswegen arbeitest du auch nicht alleine daran. AI_Output(hero, self, "Info_Mod_Andre_Auftrag_15_06"); //Was meinst du mit "nicht alleine"? AI_Output(self, hero, "Info_Mod_Andre_Auftrag_40_07"); //Gidan wird die Karawanen überwachen. AI_Output(hero, self, "Info_Mod_Andre_Auftrag_15_08"); //Na gut ... dann kümmere ich mich um die Sekte und den Erfinder. AI_Output(self, hero, "Info_Mod_Andre_Auftrag_40_09"); //Gut, sag Bescheid, wenn du etwas herausfindest. Wld_InsertNpc (Mod_1745_PSIGUR_Guru_NW, "BIGFARM"); Wld_InsertNpc (Mod_7392_PSITPL_Templer_NW, "BIGFARM"); Wld_InsertNpc (Mod_7393_PSITPL_Templer_NW, "BIGFARM"); Wld_InsertNpc (Mod_7394_PSINOV_Novize_NW, "BIGFARM"); Wld_InsertNpc (Mod_7395_PSINOV_Novize_NW, "BIGFARM"); Wld_InsertNpc (Mod_7396_PSINOV_Novize_NW, "BIGFARM"); Wld_InsertItem (ItWr_SektisTeleport2, "FP_ITEM_OV_02"); Wld_InsertItem (ItWr_ErfinderBrief, "FP_ITEM_ERFINDERBRIEF"); Wld_InsertNpc (Mod_1729_PSINOV_Novize_NW, "NW_CITY_ENTRANCE_01"); Wld_InsertNpc (Mod_1727_PSINOV_Novize_NW, "NW_CITY_ENTRANCE_01"); Wld_InsertNpc (Mod_1725_PSINOV_Novize_NW, "NW_CITY_ENTRANCE_01"); Wld_InsertNpc (Mod_1726_PSINOV_Novize_NW, "NW_CITY_ENTRANCE_01"); Wld_InsertNpc (Mod_1728_PSINOV_Novize_NW, "NW_CITY_ENTRANCE_01"); Mob_CreateItems ("SEKTENTRUHE1", ItWr_SektisTeleport1, 1); Log_CreateTopic (TOPIC_MOD_MILIZ_WISSENSCHAFTLER, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_MILIZ_wISSENSCHAFTLER, LOG_RUNNING); Log_CreateTopic (TOPIC_MOD_MILIZ_SEKTENSPINNER, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_MILIZ_SEKTENSPINNER, LOG_RUNNING); B_LogEntry_More (TOPIC_MOD_MILIZ_WISSENSCHAFTLER, TOPIC_MOD_MILIZ_SEKTENSPINNER, "Ich muss herausfinden, was es mit dem Verschwinden des Erfinders auf sich hat.", "Irgendetwas stimmt mit den Sektenspinnern nicht. Ich sollte im Minental mal mit Cor Angar sprechen."); B_StartOtherRoutine (Mod_1723_MIL_Gidan_NW, "TOT"); B_StartOtherRoutine (Mod_586_NONE_Jack_NW, "ATCITY"); }; INSTANCE Info_Mod_Andre_WoErfinder (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_WoErfinder_Condition; information = Info_Mod_Andre_WoErfinder_Info; permanent = 0; important = 0; description = "Wo gibt es Hinweise zum Erfinder?"; }; FUNC INT Info_Mod_Andre_WoErfinder_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Auftrag)) { return 1; }; }; FUNC VOID Info_Mod_Andre_WoErfinder_Info() { AI_Output(hero, self, "Info_Mod_Andre_WoErfinder_15_00"); //Wo gibt es Hinweise zum Erfinder? AI_Output(self, hero, "Info_Mod_Andre_WoErfinder_40_01"); //Sieh dich am besten in seinem Haus um. Geh ins obere Viertel und durch den Torbogen in Richtung des Händlers Salandril. AI_Output(self, hero, "Info_Mod_Andre_WoErfinder_40_02"); //Dort auf der linken Seite das Haus gehört dem Erfinder. B_LogEntry (TOPIC_MOD_MILIZ_WISSENSCHAFTLER, "Ich sollte mich im Haus des Erfinders umsehen. Ich finde es im oberen Viertel auf dem Weg zu Salandril auf der linken Seite nach dem Torbogen."); }; INSTANCE Info_Mod_Andre_WoFanatiker (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_WoFanatiker_Condition; information = Info_Mod_Andre_WoFanatiker_Info; permanent = 0; important = 0; description = "Wo gibt es Hinweise zu den Sektenspinnern?"; }; FUNC INT Info_Mod_Andre_WoFanatiker_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Auftrag)) { return 1; }; }; FUNC VOID Info_Mod_Andre_WoFanatiker_Info() { AI_Output(hero, self, "Info_Mod_Andre_WoFanatiker_15_00"); //Wo gibt es Hinweise zu den Sektenspinnern? AI_Output(self, hero, "Info_Mod_Andre_WoFanatiker_40_01"); //Hör dich am besten im Sumpflager im Minental um. Oder bei deinem Freund, von dem mir Gidan erzählt hat, diesem Lester. B_LogEntry (TOPIC_MOD_MILIZ_SEKTENSPINNER, "Lord Andre meint ich sollte mich im Sumpflager oder bei Lester umhören, um etwas über die fanatischen Sektenspinner zu erfahren."); }; INSTANCE Info_Mod_Andre_Erfahrung_Erfinder (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Erfahrung_Erfinder_Condition; information = Info_Mod_Andre_Erfahrung_Erfinder_Info; permanent = 0; important = 0; description = "Ich hab etwas über den Erfinder herausgefunden!"; }; FUNC INT Info_Mod_Andre_Erfahrung_Erfinder_Condition() { if (Mod_MitLawrenceGesprochen == 13) { return 1; }; }; FUNC VOID Info_Mod_Andre_Erfahrung_Erfinder_Info() { AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_Erfinder_15_00"); //Ich hab etwas über den Erfinder herausgefunden! AI_Output(self, hero, "Info_Mod_Andre_Erfahrung_Erfinder_40_01"); //Gut, berichte. AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_Erfinder_15_02"); //Der Erfinder wurde auf Anweisung eines gewissen Cor Kolam entführt. Dieser will mit seiner Hilfe den Schläfer wiedererwecken. AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_Erfinder_15_03"); //Der Statthalter Larius, der Händler Lutero und die Miliz Lawrence scheinen alle mit ihm zusammengearbeitet zu haben. AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_Erfinder_15_04"); //Ich habe sie getötet, als sie versucht haben mich zu töten. Außerdem habe ich noch eine Pergamenthälfte gefunden. AI_Output(self, hero, "Info_Mod_Andre_Erfahrung_Erfinder_40_05"); //Das sind wichtige Informationen. B_SetTopicStatus (TOPIC_MOD_MILIZ_WISSENSCHAFTLER, LOG_SUCCESS); B_GivePlayerXP (500); B_Göttergefallen(1, 1); }; INSTANCE Info_Mod_Andre_Erfahrung_Fanatiker (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Erfahrung_Fanatiker_Condition; information = Info_Mod_Andre_Erfahrung_Fanatiker_Info; permanent = 0; important = 0; description = "Ich hab etwas über die Fanatiker herausgefunden!"; }; FUNC INT Info_Mod_Andre_Erfahrung_Fanatiker_Condition() { if (Npc_HasItems(hero, ItWr_SektisTeleport1) == 1) && (Npc_HasItems(hero, ItWr_SektisTeleport2) == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_Erfahrung_Fanatiker_Info() { AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_Fanatiker_15_00"); //Ich hab etwas über die Fanatiker herausgefunden! AI_Output(self, hero, "Info_Mod_Andre_Erfahrung_Fanatiker_40_01"); //Gut, berichte. AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_Fanatiker_15_02"); //In der Gegend um Khorinis befinden sich mehrere Gruppen von ehemaligen Sektenmitgliedern. AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_Fanatiker_15_03"); //Diese scheinen zu versuchen, den Schläfer wiederzuerwecken. Eine dieser Gruppen hat den Leuchtturm in Besitz genommen, die andere auf der Südseite der Stadt habe ich vernichtet. AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_Fanatiker_15_04"); //Ich habe dort eine Pergamenthälfte gefunden. AI_Output(self, hero, "Info_Mod_Andre_Erfahrung_Fanatiker_40_05"); //Hm, wir müssen aufpassen ... B_LogEntry (TOPIC_MOD_MILIZ_GIDAN, "Ich sollte versuchen die zwei Pergamenthälften zusammenzusetzen. Vielleicht kann Xardas mir dabei helfen..."); B_SetTopicStatus (TOPIC_MOD_MILIZ_SEKTENSPINNER, LOG_SUCCESS); B_GivePlayerXP (500); B_Göttergefallen(1, 1); }; INSTANCE Info_Mod_Andre_Erfahrung (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Erfahrung_Condition; information = Info_Mod_Andre_Erfahrung_Info; permanent = 0; important = 0; description = "Das war erstmal alles, was ich herausfinden konnte."; }; FUNC INT Info_Mod_Andre_Erfahrung_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Erfahrung_Erfinder)) && (Npc_KnowsInfo(hero, Info_Mod_Andre_Erfahrung_Fanatiker)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Erfahrung_Info() { AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_15_00"); //Das war erstmal alles, was ich herausfinden konnte. AI_Output(self, hero, "Info_Mod_Andre_Erfahrung_40_01"); //Nun, das hört sich nicht gut an. Gidan ist noch nicht zurückgekehrt, dass heißt wir müssen warten, bis er zurück ist, bevor wir mehr wissen. AI_Output(self, hero, "Info_Mod_Andre_Erfahrung_40_02"); //Du gehst solange ins Minental. Dort hatten wir eine Mine im Orkgebiet in der Nähe des Turms. Doch sie wurde vor kurzem überfallen. Du musst sie befreien! AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_15_03"); //Von wem wurde die Mine überfallen? AI_Output(self, hero, "Info_Mod_Andre_Erfahrung_40_04"); //Unseren Berichten nach von Banditen. Wollen sich vermutlich etwas bereichern, magisches Erz ist zurzeit verdammt teuer. AI_Output(hero, self, "Info_Mod_Andre_Erfahrung_15_05"); //Ich mach mich sofort auf den Weg! B_GivePlayerXP (500); Log_CreateTopic (TOPIC_MOD_MILIZ_MINE, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_MILIZ_MINE, LOG_RUNNING); B_LogEntry (TOPIC_MOD_MILIZ_MINE, "In einer Mine der Paladine im Minental im Orkgebiet nahe Xardas' Turm gab es einen Banditenüberfall. Ich sollte mich mal um diese Banditen kümmern."); B_Göttergefallen(1, 1); }; INSTANCE Info_Mod_Andre_Banditen (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Banditen_Condition; information = Info_Mod_Andre_Banditen_Info; permanent = 0; important = 0; description = "Die Mine ist befreit."; }; FUNC INT Info_Mod_Andre_Banditen_Condition() { if (Mod_PalaStory_Mine_Sektis == 5) { return 1; }; }; FUNC VOID Info_Mod_Andre_Banditen_Info() { AI_Output(hero, self, "Info_Mod_Andre_Banditen_15_00"); //Die Mine ist befreit. Es waren Schläferanhänger, die sie besetzt hatten. AI_Output(self, hero, "Info_Mod_Andre_Banditen_40_01"); //Verdammt! Die haben wohl überall ihre Finger im Spiel. B_GivePlayerXP (1000); B_SetTopicStatus (TOPIC_MOD_MILIZ_MINE, LOG_SUCCESS); B_Göttergefallen(1, 2); }; INSTANCE Info_Mod_Andre_GidanBack (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_GidanBack_Condition; information = Info_Mod_Andre_GidanBack_Info; permanent = 1; important = 0; description = "Ist Gidan schon zurück?"; }; FUNC INT Info_Mod_Andre_GidanBack_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Banditen)) && (Mod_PalaKapitel3 == FALSE) { return 1; }; }; FUNC VOID Info_Mod_Andre_GidanBack_Info() { AI_Output(hero, self, "Info_Mod_Andre_GidanBack_15_00"); //Ist Gidan schon zurück? if (Kapitel < 3) { AI_Output(self, hero, "Info_Mod_Andre_GidanBack_40_01"); //Nein, noch nicht. Komm später wieder. } else { AI_Output(self, hero, "Info_Mod_Andre_GidanBack_40_02"); //Ja, allerdings ist er schon wieder weg! AI_Output(hero, self, "Info_Mod_Andre_GidanBack_15_03"); //Wohin? AI_Output(hero, self, "Info_Mod_Andre_GidanBack_15_04"); //Eines unserer Überwachungslager wurde angegriffen ... AI_Output(hero, self, "Info_Mod_Andre_GidanBack_15_05"); //Überwachungslager? AI_Output(self, hero, "Info_Mod_Andre_GidanBack_40_06"); //Ja. Die haben wir eingerichtet um die Karawanen zu überwachen, die vom Kloster zur Stadt kommen. Kurz bevor du kamst erreichte uns ein Bote der gesagt hat, dass wir angegriffen wurden. AI_Output(hero, self, "Info_Mod_Andre_GidanBack_15_07"); //Wo ist dieses Lager? AI_Output(self, hero, "Info_Mod_Andre_GidanBack_40_08"); //Unter der Brücke auf dem Weg zur Taverne. AI_Output(hero, self, "Info_Mod_Andre_GidanBack_15_09"); //Gut, ich mach mich sofort auf den Weg. AI_StopProcessInfos (self); Mod_PalaKapitel3 = 1; Npc_ExchangeRoutine (Mod_1723_MIL_Gidan_NW, "GOLEM"); Wld_InsertNpc (EisenGolem, "FP_ROAM_CITY_TO_FOREST_42"); Mod_1723_MIL_Gidan_NW.flags = 2; Log_CreateTopic (TOPIC_MOD_MILIZ_GIDAN, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_MILIZ_GIDAN, LOG_RUNNING); B_LogEntry (TOPIC_MOD_MILIZ_GIDAN, "Gidan ist in einem Überwachungslager der Miliz in der Nähe der Taverne unter einer Brücke, welches Überfallen wurde. Ich sollte zu ihm gehen und sehen, was er herausgefunden hat."); }; }; INSTANCE Info_Mod_Andre_FIFinished (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_FIFinished_Condition; information = Info_Mod_Andre_FIFinished_Info; permanent = 0; important = 0; description = "Ich habe das Rätsel um die Sekte gelüftet und den Erfinder zerschlagen."; }; FUNC INT Info_Mod_Andre_FIFinished_Condition() { if (FI_Story == 11) { return 1; }; }; FUNC VOID Info_Mod_Andre_FIFinished_Info() { AI_Output(hero, self, "Info_Mod_Andre_FIFinished_15_00"); //Ich habe das Rätsel um die Sekte gelüftet und den Erfinder zerschlagen. AI_Output(self, hero, "Info_Mod_Andre_FIFinished_40_01"); //Du hast WAS? Das sollte doch umgekehrt geschehen. AI_Output(hero, self, "Info_Mod_Andre_FIFinished_15_02"); //Das war so: Der Erfinder wurde nicht entführt, sondern diente nur als Köder für mich. AI_Output(hero, self, "Info_Mod_Andre_FIFinished_15_03"); //Cor Kalom's Bruder Cor Kolam hatte einen Roboter gebaut, der wie der Schläfer aussah, und hat damit die Sektenanhänger zu seinen Gefolgsleuten gemacht. AI_Output(hero, self, "Info_Mod_Andre_FIFinished_15_04"); //Er faselte von der perfekten Maschine und ich dachte natürlich, dass dies der Schläfer-Bot sei. Doch nachdem ich ihn vernichtet hatte, hat er die eigentliche Wunderwaffe gezeigt. AI_Output(hero, self, "Info_Mod_Andre_FIFinished_15_05"); //Als er diese auf mich hetzen wollte kam jedoch Gidan und hat die beiden mit in die Tiefe gerissen. Er hat sich für die Gerechtigkeit geopfert. AI_Output(self, hero, "Info_Mod_Andre_FIFinished_40_06"); //So war das ... Naja du hast dir jedenfalls eine Belohnung verdient. AI_Output(self, hero, "Info_Mod_Andre_FIFinished_40_07"); //Ich ernenne dich hiermit zum Ritter. Hier ist deine Rüstung. CreateInvItems (hero, ItAr_Pal_M, 1); AI_UnequipArmor (hero); AI_EquipArmor (hero, ItAr_Pal_M); B_ShowGivenThings ("Ritterrüstung erhalten"); AI_Output(self, hero, "Info_Mod_Andre_FIFinished_40_08"); //Zur Zeit ist alles ruhig, Wenn's wieder was zu tun gibt erfährst du es hier. B_GivePlayerXP (2000); B_Göttergefallen(1, 5); Mod_Gilde = 2; B_SetTopicStatus (TOPIC_MOD_PAL_FI, LOG_SUCCESS); }; INSTANCE Info_Mod_Andre_RLMord (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_RLMord_Condition; information = Info_Mod_Andre_RLMord_Info; permanent = 0; important = 0; description = "Na, gibt’s was zu tun?"; }; FUNC INT Info_Mod_Andre_RLMord_Condition() { if (FI_Story == 12) { return 1; }; }; FUNC VOID Info_Mod_Andre_RLMord_Info() { if (!Npc_KnowsInfo(hero, Info_Mod_Neron_Hi)) { AI_Output(hero, self, "Info_Mod_Andre_RLMord_15_00"); //Na, gibt’s was zu tun? } else { AI_Output(hero, self, "Info_Mod_Andre_RLMord_15_01"); //Neron schickt mich. }; AI_Output(self, hero, "Info_Mod_Andre_RLMord_40_02"); //Gut, dass du das bist! Im Hafenviertel ist die Hölle los. Ein Milize, Jason, wurde umgebracht! B_StartOtherRoutine (Mod_1260_RIT_Neron_NW, "START"); Log_CreateTopic (TOPIC_MOD_PAL_RL, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_PAL_RL, LOG_RUNNING); B_LogEntry (TOPIC_MOD_PAL_RL, "Der Milizsoldat Jason wurde im Hafenviertel ermordet."); Info_ClearChoices (Info_Mod_Andre_RLMord); Info_AddChoice (Info_Mod_Andre_RLMord, "Wo?", Info_Mod_Andre_RLMord_C); Info_AddChoice (Info_Mod_Andre_RLMord, "Von wem?", Info_Mod_Andre_RLMord_B); Info_AddChoice (Info_Mod_Andre_RLMord, "Wie?", Info_Mod_Andre_RLMord_A); }; FUNC VOID Info_Mod_Andre_RLMord_C() { AI_Output(hero, self, "Info_Mod_Andre_RLMord_C_15_00"); //Wo? AI_Output(self, hero, "Info_Mod_Andre_RLMord_C_40_01"); //In der roten Laterne. AI_Output(hero, self, "Info_Mod_Andre_RLMord_C_15_02"); //Er war im Bordell? Dienstlich? AI_Output(self, hero, "Info_Mod_Andre_RLMord_C_40_03"); //Wohl kaum. Er war nackt ... B_LogEntry (TOPIC_MOD_PAL_RL, "Der Mord wurde in der Roten Laterne ausgeführt."); Mod_PAL_RLChoices += 1; if (Mod_PAL_RLChoices == 3) { Info_ClearChoices (Info_Mod_Andre_RLMord); }; }; FUNC VOID Info_Mod_Andre_RLMord_B() { AI_Output(hero, self, "Info_Mod_Andre_RLMord_B_15_00"); //Von wem? AI_Output(self, hero, "Info_Mod_Andre_RLMord_B_40_01"); //Wenn wir das wüssten würde dieser Mistkerl schon hängen! Mod_PAL_RLChoices += 1; if (Mod_PAL_RLChoices == 3) { Info_ClearChoices (Info_Mod_Andre_RLMord); }; }; FUNC VOID Info_Mod_Andre_RLMord_A() { AI_Output(hero, self, "Info_Mod_Andre_RLMord_A_15_00"); //Wie? AI_Output(self, hero, "Info_Mod_Andre_RLMord_A_40_01"); //Erstochen. Mod_PAL_RLChoices += 1; if (Mod_PAL_RLChoices == 3) { Info_ClearChoices (Info_Mod_Andre_RLMord); }; }; INSTANCE Info_Mod_Andre_Giselle (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Giselle_Condition; information = Info_Mod_Andre_Giselle_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Giselle_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Giselle_Galf)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Giselle_Info() { AI_Output(self, hero, "Info_Mod_Andre_Giselle_40_00"); //Gute Arbeit, Soldat. Du hast’s nicht nur in den Muskeln sondern auch im Kopf! Jason wird auf dem Friedhof beigesetzt, wir erweisen ihm die letzte Ehre. AI_Output(self, hero, "Info_Mod_Andre_Giselle_40_01"); //Hier hast du deinen Sold. Ich hoffe wir steuern jetzt auf ruhigere Zeiten zu ... B_GiveInvItems (self, hero, ItMi_Gold, 2000); AI_Output(hero, self, "Info_Mod_Andre_Giselle_15_02"); //Was ist mit der "Dunklen Gestalt"? AI_Output(self, hero, "Info_Mod_Andre_Giselle_40_03"); //Wir fahnden verdeckt nach ihr. Das letzte, was wir brauchen, ist eine Massenpanik. AI_Output(hero, self, "Info_Mod_Andre_Giselle_15_04"); //Habt ihr schon was rausgefunden? AI_Output(self, hero, "Info_Mod_Andre_Giselle_40_05"); //Nein, bisher noch nicht. B_StartOtherRoutine (Mod_744_MIL_Pablo_NW, "START"); B_StartOtherRoutine (Mod_7234_OUT_Giselle_NW, "KNAST"); B_StartOtherRoutine (Mod_7235_NONE_Galf_NW, "KNAST"); B_GivePlayerXP (2000); B_LogEntry (TOPIC_MOD_PAL_RL, "Der Fall sollte abgeschlossen sein, jetzt wird nur noch verdeckt nach der dunkle Gestalt gefahndet, um eine Massenpanik zu verhindern."); Mod_PAL_MISH_Day = Wld_GetDay(); }; INSTANCE Info_Mod_Andre_Bernd (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Bernd_Condition; information = Info_Mod_Andre_Bernd_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Bernd_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Giselle)) && (Wld_GetDay() > Mod_PAL_MISH_Day) { return 1; }; }; FUNC VOID Info_Mod_Andre_Bernd_Info() { AI_Output(self, hero, "Info_Mod_Andre_Bernd_40_00"); //Gut, dass du gerade kommst. Ich hab grad eine Meldung wegen häuslicher Gewalt entgegengenommen. AI_Output(self, hero, "Info_Mod_Andre_Bernd_40_01"); //Bernd, ein Säufer aus dem Hafenviertel, hat wiedermal einen über den Durst getrunken und lässt seinen Kater gerade an seiner Frau aus, geh da bitte mal hin und „beruhige“ ihn. AI_Output(hero, self, "Info_Mod_Andre_Bernd_15_02"); //Wird erledigt. B_StartOtherRoutine (Mod_1062_VLK_Bernd_NW, "GEKILLT"); B_StartOtherRoutine (Mod_1064_VLK_Jana_NW, "BERND"); B_KillNpc (Mod_1062_VLK_Bernd_NW); B_LogEntry (TOPIC_MOD_PAL_RL, "Bernd, ein Säufer aus dem Hafenviertel, soll seine Frau schlagen. Ich soll ihn beruhigen."); }; INSTANCE Info_Mod_Andre_Jana (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Jana_Condition; information = Info_Mod_Andre_Jana_Info; permanent = 0; important = 0; description = "Bernd ist beruhigt."; }; FUNC INT Info_Mod_Andre_Jana_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Jana_BerndTot)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Jana_Info() { AI_Output(hero, self, "Info_Mod_Andre_Jana_15_00"); //Bernd ist beruhigt. AI_Output(self, hero, "Info_Mod_Andre_Jana_40_01"); //So? Das ging aber schnell. AI_Output(hero, self, "Info_Mod_Andre_Jana_15_02"); //Ja, und dazu noch dauerhaft. Er ist tot. AI_Output(self, hero, "Info_Mod_Andre_Jana_40_03"); //Ach verflucht, du kannst doch nicht jeden dahergelaufenen Säufer erschlagen, nur weil du dir den Papierkram sparen willst! AI_Output(hero, self, "Info_Mod_Andre_Jana_15_04"); //Ich war‘s nicht, sondern ein "dunkler Typ in einer Milizrüstung". AI_Output(self, hero, "Info_Mod_Andre_Jana_40_05"); //Du meinst doch nicht etwa ... AI_Output(hero, self, "Info_Mod_Andre_Jana_15_06"); //Doch. Wir haben es hier mit einem Serienmörder zu tun, der ganz nebenbei Jason's Rüstung trägt. AI_Output(self, hero, "Info_Mod_Andre_Jana_40_07"); //Dann müssen wir wohl an die Öffentlichkeit treten ... AI_Output(self, hero, "Info_Mod_Andre_Jana_40_08"); //Ich werde hier alles vorbereiten, geh du inzwischen bitte kurz zum Marktplatz, da ist ein Spinner, vermutlich ein alter Guru aus dem Sektenlager, der die Leute vor dem Ende der Welt warnt und dabei ziemlich indiskret ist. Schmeiß ihn aus der Stadt. B_LogEntry (TOPIC_MOD_PAL_RL, "Lord Andre meint, dass wir an die Öffentlichkeit gehen müssen. Während er alles vorbereitet soll ich einen verrückten Guru, der auf dem Marktplatz das Ende der Welt prophezeit, aus der Stadt schmeißen."); Wld_InsertNpc (Mod_7236_GUR_Guru_NW, "MARKT"); }; INSTANCE Info_Mod_Andre_HeroBot (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_HeroBot_Condition; information = Info_Mod_Andre_HeroBot_Info; permanent = 0; important = 0; description = "Ich weiß jetzt, wer unser Serienkiller ist."; }; FUNC INT Info_Mod_Andre_HeroBot_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_HeroBot_Weg)) { return 1; }; }; FUNC VOID Info_Mod_Andre_HeroBot_Info() { AI_Output(hero, self, "Info_Mod_Andre_HeroBot_15_00"); //Ich weiß jetzt, wer unser Serienkiller ist. AI_Output(self, hero, "Info_Mod_Andre_HeroBot_40_01"); //Du weißt es? Wer? AI_Output(hero, self, "Info_Mod_Andre_HeroBot_15_02"); //Kolam's Kampfroboter. AI_Output(self, hero, "Info_Mod_Andre_HeroBot_40_03"); //Was? Wie kommst du darauf? AI_Output(hero, self, "Info_Mod_Andre_HeroBot_15_04"); //Ich hab ihn gesehen. Er hat den Verrückten am Marktplatz umgehauen. AI_Output(self, hero, "Info_Mod_Andre_HeroBot_40_05"); //Ich nehm an ich muss mir keine Gedanken darüber machen, wie er noch funktionieren kann oder warum er bis jetzt nur Verbrecher abgestochen hat, weil du ihn erledigt hast ... richtig? AI_Output(hero, self, "Info_Mod_Andre_HeroBot_15_06"); //Falsch. Ich hab versucht, ihn zu erledigen, allerdings hat Kolam bei dem Gerät ganze Arbeit geleistet. Ich konnte ihn kaum anritzen, dafür hab ich mit jedem Schlag Energie verloren. AI_Output(self, hero, "Info_Mod_Andre_HeroBot_40_07"); //Warum stehst du dann noch hier? AI_Output(hero, self, "Info_Mod_Andre_HeroBot_15_08"); //Der Roboter hat mich nicht angegriffen. Er faselte irgendwas von "Bedrohen von sowieso ist als Straftat anzusehen" oder was weiß ich und hat sich wegteleportiert. AI_Output(self, hero, "Info_Mod_Andre_HeroBot_40_09"); //"Bedrohen als Strafttat anzusehen" ... das kommt mir merkwürdig bekannt vor. Hat der Roboter sonst noch was gesagt? AI_Output(hero, self, "Info_Mod_Andre_HeroBot_15_10"); //Ja ... zu Jana hat er irgendwas davon gefaselt, dass "ein guter Milize stets die Schwachen schützt" ... AI_Output(self, hero, "Info_Mod_Andre_HeroBot_40_11"); //Das kommt mir alles so vertraut vor. Woher kenne ich das bloß? Hat der Roboter vielleicht nochwas gesagt? AI_Output(hero, self, "Info_Mod_Andre_HeroBot_15_12"); //Nicht, dass ich wüsste. AI_Output(self, hero, "Info_Mod_Andre_HeroBot_40_13"); //Damit hast du einen neuen Auftrag. Finde noch was raus. Ich versuch inzwischen eine Massenpanik zu verhindern! Und beeil dich gefälligst. B_GivePlayerXP (500); B_LogEntry (TOPIC_MOD_PAL_RL, "Die Sprüche des Roboters kommen Lord Andre sehr bekannt vor, er kann sie jedoch noch nicht einordnen. Ich soll nun einen weiteren Spruch von ihm herausfinden. Ich sollte also mal mit Giselle im Gefängnis reden."); }; INSTANCE Info_Mod_Andre_Kerze (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Kerze_Condition; information = Info_Mod_Andre_Kerze_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Kerze_Condition() { if (Mod_PAL_HeroBot == 3) { return 1; }; }; FUNC VOID Info_Mod_Andre_Kerze_Info() { AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_00"); //Wird auch Zeit, dass du kommst, irgendwas ist durchgesicktert, hier ist die Hölle los. AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_01"); //Wir haben eine Ausgangssperre verhängt, aber das beeindruckt hier niemanden. AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_02"); //Wir müssen dieses Problem augenblicklich lösen! Ich hoffe du weißt wie. AI_Output(hero, self, "Info_Mod_Andre_Kerze_15_03"); //Ich habe mit Giselle gesprochen. Laut ihrer Aussage hat der Roboter etwas gesagt wie "Milizen ist es in ihrer Vorbildw ..." AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_04"); //(setzt in den Satz des Helden ein) "... es in ihrer Vorbildwirkung nicht erlaubt unlautere Taten auszuüben". Natürlich! Das sind alles Grundregeln der Milizenschule. AI_Output(hero, self, "Info_Mod_Andre_Kerze_15_05"); //Milizenschule? AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_06"); //Der bist du entgangen weil du das Turnier gewonnen hast, schon vergessen? Kolam muss den Roboter falsch Programmiert haben. AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_07"); //Er hat nicht nur deinen Kampfstil aufgenommen sondern du hast vermutlich auch irgendeine Maxime der Miliz auf ihn übertragen. Und jetzt zerschlägt er Verbrechen und Unrecht. AI_Output(hero, self, "Info_Mod_Andre_Kerze_15_08"); //Warum sollten wir dann etwas dagegen tun? AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_09"); //Sieh dir an was das bringt! Der Roboter geht über Leichen. AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_10"); //Und wenn wir uns nicht bald etwas einfallen lassen, wie wir ihn erledigen können dann wird das jeder tun, weil die Straßen mit den leblosen Körpern der Verbrecher gepflastert sein werden! AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_11"); //Wir müssen ihn vernichten, ruf die gesamten Milizen zusammen, wir werden ihn offen angreifen. AI_Output(hero, self, "Info_Mod_Andre_Kerze_15_12"); //Zum einen: Wie willst du ihn finden, außerdem kann er sich Teleportieren. AI_Output(hero, self, "Info_Mod_Andre_Kerze_15_13"); //Und zum andren: Wie willst du ihn verletzen? Ich hab dir doch gesagt, dass der Roboter unverwüstlich ist! AI_Output(hero, self, "Info_Mod_Andre_Kerze_15_14"); //Der ist aus massivem Magischem Erz! Gegen den könnten wir nicht mal antreten wenn wir Erz-Schwerter hätten. AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_15"); //Dann müssen wir ihn eben in eine Falle locken. Zuerst erledigen wir das mit dem finden, dann mit dem Zerstören. AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_16"); //Warte kurz ... ich hab hier noch irgendwo alte Steckbriefe, die dürften uns nützlich sein. AI_GotoWp (self, "WP_ANDRE_STECKBRIEFE"); AI_PlayAni (self, "T_PLUNDER"); AI_GotoWP (self, "NW_CITY_ANDRE"); AI_TurnToNpc (self, hero); AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_17"); //Die sind von einem alten Fall. Der Gesuchte ist immer in einem bunten Kostüm mit Schachkragen aufgetreten. Das machen wir uns jetzt zunutze. AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_18"); //Ich werde dafür sorgen, dass jeder Wache einer gebracht wird. Sie sollen sie überall herumzeigen. AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_19"); //Währenddessen sagst du dem Herold am Marktplatzt er soll die Leute vor einem gefährlichen Irren warnen, der in buntem Kostüm mit Schachkragen rumläuft und letzte Nacht im vier Milizsoldaten erstach während sie schliefen. AI_Output(hero, self, "Info_Mod_Andre_Kerze_15_20"); //Das wird die Panik aber nur noch verstärken. AI_Output(self, hero, "Info_Mod_Andre_Kerze_40_21"); //Lass das meine Sorge sein. Beeil dich. B_GivePlayerXP (1000); B_SetTopicStatus (TOPIC_MOD_PAL_RL, LOG_SUCCESS); Log_CreateTopic (TOPIC_MOD_PAL_BOT, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_PAL_BOT, LOG_RUNNING); B_LogEntry (TOPIC_MOD_PAL_BOT, "Lord Andre hat einen Plan, wie wir den Roboter vernichten können. Er wird Steckbriefe an die Wachen verteilen lassen. Währenddessen soll ich dem Herold sagen, dass er vor einem Mörder in buntem Kostüm mit Schachkragen warnen soll, der letzte Nacht vier Milizsoldaten getötet haben soll."); B_Göttergefallen(1, 2); }; INSTANCE Info_Mod_Andre_Herold (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Herold_Condition; information = Info_Mod_Andre_Herold_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Herold_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Herold_Verbrecher)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Herold_Info() { AI_Output(self, hero, "Info_Mod_Andre_Herold_40_00"); //Sehr gut. Ich habe inzwischen alle Vorbereitungen getroffen. Hier, nimm das. B_GiveInvItems (self, hero, ItPo_Speed_Andre, 1); AI_Output(self, hero, "Info_Mod_Andre_Herold_40_01"); //Und das musst du anziehen. CreateInvItems (hero, ItAr_Gangster, 1); B_ShowGivenThings ("Kostüm erhalten"); AI_Output(hero, self, "Info_Mod_Andre_Herold_15_02"); //Was soll ich damit? AI_Output(self, hero, "Info_Mod_Andre_Herold_40_03"); //Wir haben nur eine Chance diesen Roboter zur Strecke zu bringen, wir müssen ihn einschmelzen. AI_Output(self, hero, "Info_Mod_Andre_Herold_40_04"); //Dazu müssen wir ihn in den Hochofen in Khorata locken, das ist der einzige Platz, der heiß genug ist, magisches Erz zu schmelzen und von dem er sich nicht wegteleportieren kann. AI_Output(self, hero, "Info_Mod_Andre_Herold_40_05"); //Die Wände sind ja auch aus magischem Erz, da kommt keine Magie durch. Du wirst den Lockvogel spielen. AI_Output(hero, self, "Info_Mod_Andre_Herold_15_06"); //Ich soll in den Hochofen? Mir wäre ein Plan lieber, bei dem ich nicht geröstet werde. AI_Output(self, hero, "Info_Mod_Andre_Herold_40_07"); //Lass das meine Sorge sein. Zieh jetzt das Kostüm an und trink den Trank. AI_Output(self, hero, "Info_Mod_Andre_Herold_40_08"); //Dann läufst du auf dem schnellsten Wege nach Khorata und direkt in den Hochofen. Ich werde mich unterdessen dorthin teleportieren und alles vorbereiten. AI_Output(self, hero, "Info_Mod_Andre_Herold_40_09"); //Der Ofen wird ausgeschalten sein wenn du reinläufst und ich werde einen Ausweg für dich vorbereiten. AI_Output(self, hero, "Info_Mod_Andre_Herold_40_10"); //Los jetzt, lauf mit dem Kostüm einige Runden durch die Stadt bis dich der Roboter erwischt, er wird dich dann verfolgen. Wir sehen uns in Khorata. B_GivePlayerXP (250); B_LogEntry (TOPIC_MOD_PAL_BOT, "Ich habe von Lord Andre einen Geschwindigkeitstrank und ein Kostüm bekommen. Das Kostüm soll ich anziehen und damit den Roboter auf mich hetzen. Wenn er mich verfolgt, so soll ich den schnellsten Weg nach Khorata nehmen und dort direkt in den Hochofen laufen. Lord Andre wird derzeit dort einen Ausgang für mich bereithalten."); }; INSTANCE Info_Mod_Andre_Ramirez (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Ramirez_Condition; information = Info_Mod_Andre_Ramirez_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Ramirez_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Ramirez_ZuAndre)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Ramirez_Info() { AI_Output(self, hero, "Info_Mod_Andre_Ramirez_40_00"); //Was führt dich zu mir? AI_Output(hero, self, "Info_Mod_Andre_Ramirez_15_01"); //Ich habe einen Dieb dabei erwischt, wie er einen unschuldigen Bürger dieser Stadt bestehlen wollte. AI_Output(self, hero, "Info_Mod_Andre_Ramirez_40_02"); //Innos sei Dank, es gibt noch Gerechtigkeit. Moment, das ist doch Ramirez, der Anführer der Diebesbande. AI_Output(self, hero, "Info_Mod_Andre_Ramirez_40_03"); //Wie konntest du ihn fangen? AI_Output(hero, self, "Info_Mod_Andre_Ramirez_15_04"); //Als er sich gerade umgedreht hat konnte ich ihn von hinten überwältigen. AI_Output(self, hero, "Info_Mod_Andre_Ramirez_40_05"); //Ich sehe Innos' Feuer in deinem Herzen, du hast mich überzeugt. AI_Output(self, hero, "Info_Mod_Andre_Ramirez_40_06"); //Einen wie dich können wir hier gut gebrauchen. Das ist schon der zweite Schwerverbrecher, den wir jetzt haben. Der andere heißt Attila und ist ein Mörder. AI_Output(self, hero, "Info_Mod_Andre_Ramirez_40_07"); //Wenn wir so weitermachen, können die Bürger bald unbesorgt schlafen. if (Mod_Gilde < 1) || (Mod_Gilde > 3) { AI_Output(hero, self, "Info_Mod_Andre_Ramirez_15_08"); //Gehöre ich nun zur Miliz? AI_Output(self, hero, "Info_Mod_Andre_Ramirez_40_09"); //Bei dir lässt sich eine Ausnahme machen, aber prahle nicht damit rum, sonst werden wir beide Probleme bekommen. AI_Output(hero, self, "Info_Mod_Andre_Ramirez_15_10"); //Verstehe. AI_Output(self, hero, "Info_Mod_Andre_Ramirez_40_11"); //Gut, hier ist deine Rüstung. CreateInvItems (self, ItAr_Mil_L, 1); B_GiveInvItems (self, hero, ItAr_Mil_L, 1); }; AI_Output(self, hero, "Info_Mod_Andre_Ramirez_40_12"); //Hier hast du noch das Kopfgeld für Ramirez. CreateInvItems (self, ItMi_Gold, 1000); B_GiveInvItems (self, hero, ItMi_Gold, 1000); B_StartOtherRoutine (Mod_746_NONE_Ramirez_NW, "KNAST"); AI_Teleport (Mod_746_NONE_Ramirez_NW, "NW_CITY_HABOUR_KASERN_NAGUR"); B_GivePlayerXP (100); B_LogEntry (TOPIC_MOD_DIEB_ATTILA, "Lord Andre denkt, ich hätte Ramirez festgenommen. Ich bin jetzt Mitglied der Miliz. Mal sehen, ob alles so klappt, wie Cassia es geplant hat."); }; INSTANCE Info_Mod_Andre_Keller (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Keller_Condition; information = Info_Mod_Andre_Keller_Info; permanent = 0; important = 0; description = "Gibt es was zu tun?"; }; FUNC INT Info_Mod_Andre_Keller_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Ramirez)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Keller_Info() { AI_Output(hero, self, "Info_Mod_Andre_Keller_15_00"); //Gibt es was zu tun? AI_Output(self, hero, "Info_Mod_Andre_Keller_40_01"); //Du kommst genau richtig. Einer der Händler hat mir über seltsame Dinge im schlafendem Geldsack berichtet. AI_Output(self, hero, "Info_Mod_Andre_Keller_40_02"); //Nachts sollen aus der Kellertür mehrere merkwürdige Gestalten rausgekommen sein. AI_Output(self, hero, "Info_Mod_Andre_Keller_40_03"); //Geh dieser Sache auf den Grund. AI_Output(hero, self, "Info_Mod_Andre_Keller_15_04"); //Werde ich machen. Log_CreateTopic (TOPIC_MOD_DIEB_ANDRE_HANNA, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_DIEB_ANDRE_HANNA, LOG_RUNNING); B_LogEntry (TOPIC_MOD_DIEB_ANDRE_HANNA, "Ein Händler scheint gesehen zu haben, wie nachts einige Diebe aus Hanna's Keller gekommen sind. Lord Andre will, dass ich der Sache auf den Grund gehe. Ich sollte mal mit Hanna reden."); }; INSTANCE Info_Mod_Andre_Hanna (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Hanna_Condition; information = Info_Mod_Andre_Hanna_Info; permanent = 0; important = 0; description = "Ich war im Keller vom schlafendem Geldsack."; }; FUNC INT Info_Mod_Andre_Hanna_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Hanna_Keller)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Hanna_Info() { AI_Output(hero, self, "Info_Mod_Andre_Hanna_15_00"); //Ich war im Keller vom schlafendem Geldsack. AI_Output(self, hero, "Info_Mod_Andre_Hanna_40_01"); //Und was hast du gefunden? AI_Output(hero, self, "Info_Mod_Andre_Hanna_15_02"); //In dem dunklen Loch gabs nur Ratten, sonst nichts. AI_Output(self, hero, "Info_Mod_Andre_Hanna_40_03"); //Da hat wahrscheinlich der Händler geträumt. AI_Output(hero, self, "Info_Mod_Andre_Hanna_15_04"); //Das hat er sicherlich. AI_Output(self, hero, "Info_Mod_Andre_Hanna_40_05"); //Gut, hier ist dein Sold. B_GiveInvItems (self, hero, ItMi_Gold, 200); AI_Output(self, hero, "Info_Mod_Andre_Hanna_40_06"); //Komm später wieder, momentan ist alles ruhig. B_GivePlayerXP (200); B_SetTopicStatus (TOPIC_MOD_DIEB_ANDRE_HANNA, LOG_SUCCESS); B_Göttergefallen(3, 1); }; INSTANCE Info_Mod_Andre_NewsMilizDead (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_NewsMilizDead_Condition; information = Info_Mod_Andre_NewsMilizDead_Info; permanent = 0; important = 0; description = "Ist in der Zwischenzeit etwas passiert?"; }; FUNC INT Info_Mod_Andre_NewsMilizDead_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Rengaru_Milizangriff)) && (Npc_IsDead(Mod_1893_MIL_Miliz_NW)) && (Npc_IsDead(Mod_1894_MIL_Miliz_NW)) { return 1; }; }; FUNC VOID Info_Mod_Andre_NewsMilizDead_Info() { AI_Output(hero, self, "Info_Mod_Andre_NewsMilizDead_15_00"); //Ist in der Zwischenzeit etwas passiert? AI_Output(self, hero, "Info_Mod_Andre_NewsMilizDead_40_01"); //Wie es nicht anders kommen konnte vermissen wir zwei Milizen, die seit geraumer Zeit nicht mehr hier sind. AI_Output(hero, self, "Info_Mod_Andre_NewsMilizDead_15_02"); //Worum geht es? AI_Output(self, hero, "Info_Mod_Andre_NewsMilizDead_40_03"); //Mortis, unser Schmied, hat uns berichtet, dass Meldor wahrscheinlich irgendein Sumpfkrautgeschäft abzuschließen versucht. AI_Output(hero, self, "Info_Mod_Andre_NewsMilizDead_15_04"); //Kann ich mich nicht dieser Sache annehmen? AI_Output(self, hero, "Info_Mod_Andre_NewsMilizDead_40_05"); //Wie es aussieht bist du wohl der Einzige hier. Nun gut, geh und halt die Augen offen nach den zwei Anderen. B_SetTopicStatus (TOPIC_MOD_DIEB_MILIZANGRIFF, LOG_SUCCESS); Log_CreateTopic (TOPIC_MOD_DIEB_ANDRE_MELDOR, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_DIEB_ANDRE_MELDOR, LOG_RUNNING); B_LogEntry (TOPIC_MOD_DIEB_ANDRE_MELDOR, "Mortis hat Lord Andre etwas von einem Krauthandel von Meldor erzählt. Ich sollte Meldor warnen und eine Lüge erfinden, um ihn zu schützen."); B_Göttergefallen(3, 1); }; INSTANCE Info_Mod_Andre_Meldor (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Meldor_Condition; information = Info_Mod_Andre_Meldor_Info; permanent = 0; important = 0; description = "Ich hab Meldor beobachtet und durchsucht, war ein falscher Alarm."; }; FUNC INT Info_Mod_Andre_Meldor_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Meldor_Mortis)) && (Mob_HasItems("MORTISTRUHE", ItMi_HerbPaket) == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_Meldor_Info() { AI_Output(hero, self, "Info_Mod_Andre_Meldor_15_00"); //Ich hab Meldor beobachtet und durchsucht, war ein falscher Alarm. AI_Output(self, hero, "Info_Mod_Andre_Meldor_40_01"); //Wie das letzte Mal. Mortis wird auch immer unverlässlicher. AI_Output(self, hero, "Info_Mod_Andre_Meldor_40_02"); //Was soll's hier ist dein Sold. CreateInvItems (self, ItMi_Gold, 200); B_GiveInvItems (self, hero, ItMi_Gold, 200); AI_Output(hero, self, "Info_Mod_Andre_Meldor_15_03"); //Kann ich auch mal eine etwas ruhigere Stelle bekommen, vielleicht die Gefangenen bewachen? AI_Output(self, hero, "Info_Mod_Andre_Meldor_40_04"); //Warum nicht, du hast schon einiges geleistet. AI_Output(self, hero, "Info_Mod_Andre_Meldor_40_05"); //Ich werde es der Wache sagen, morgen kannst du dann die Gefangenen bewachen. B_SetTopicStatus (TOPIC_MOD_DIEB_ANDRE_MELDOR, LOG_SUCCESS); B_GivePlayerXP (250); Mod_Andre_WaitForKnast = Wld_GetDay(); B_Göttergefallen(3, 1); }; INSTANCE Info_Mod_Andre_RamirezAttilaFlucht (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_RamirezAttilaFlucht_Condition; information = Info_Mod_Andre_RamirezAttilaFlucht_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_RamirezAttilaFlucht_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Ramirez_WelcomeBack)) { return 1; }; }; FUNC VOID Info_Mod_Andre_RamirezAttilaFlucht_Info() { AI_Output(self, hero, "Info_Mod_Andre_RamirezAttilaFlucht_40_00"); //Wo warst du? Wo sind die Diebe? Wo ist das gesamte Gold aus meiner Truhe? AI_Output(hero, self, "Info_Mod_Andre_RamirezAttilaFlucht_15_01"); //Ich ... AI_Output(self, hero, "Info_Mod_Andre_RamirezAttilaFlucht_40_02"); //Du bist genauso unzuverlässlich wie die anderen zwei, die noch immer nicht da sind. Ich warte auf eine gute Erklärung. AI_Output(hero, self, "Info_Mod_Andre_RamirezAttilaFlucht_15_03"); //Ramirez und Attila haben mich reingelegt. Als sie draußen waren hat Ramirez die Truhe geknackt und ich hab gegen Attila gekämpft. AI_Output(hero, self, "Info_Mod_Andre_RamirezAttilaFlucht_15_04"); //Danach bin ich ihnen hinter gerannt und hab sie verloren. AI_Output(self, hero, "Info_Mod_Andre_RamirezAttilaFlucht_40_05"); //Wie konnte das alles passieren? AI_Output(hero, self, "Info_Mod_Andre_RamirezAttilaFlucht_15_06"); //Ich Weiß nicht, es ging so schnell. Sie sind geflohen und haben sich bei Mortis bedankt! AI_Output(self, hero, "Info_Mod_Andre_RamirezAttilaFlucht_40_07"); //Bei Mortis? Hat er ihnen etwa geholfen? AI_Output(hero, self, "Info_Mod_Andre_RamirezAttilaFlucht_15_08"); //Vielleicht solltest du seine Schmiede genauer anschauen. AI_Output(self, hero, "Info_Mod_Andre_RamirezAttilaFlucht_40_09"); //Ich werde das sofort in Auftrag geben. Komm morgen wieder. Mod_Andre_WaitForKnast = Wld_GetDay(); }; INSTANCE Info_Mod_Andre_MortisBadGuy (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_MortisBadGuy_Condition; information = Info_Mod_Andre_MortisBadGuy_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_MortisBadGuy_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_RamirezAttilaFlucht)) && (Mod_Andre_WaitForKnast < Wld_GetDay()) && (Npc_HasItems(hero, ItAr_Mil_L) > 0) { return 1; }; }; FUNC VOID Info_Mod_Andre_MortisBadGuy_Info() { AI_Output(self, hero, "Info_Mod_Andre_MortisBadGuy_40_00"); //Du hattest Recht, Mortis hatte ein Sumpfkrautpäcken in seiner Truhe versteckt. Er hat uns wahrscheinlich alle auf eine falsche Spur geführt. AI_Output(self, hero, "Info_Mod_Andre_MortisBadGuy_40_01"); //Wir werden zum größten Gespött der Stadt. Zwei Schwerverbrecher sind uns entwischt, einer unserer eigenen Leute hat uns verraten und das gesamte Gold der Miliz ist verschwunden. AI_Output(hero, self, "Info_Mod_Andre_MortisBadGuy_15_02"); //Da kann man nichts mehr ändern. AI_Output(self, hero, "Info_Mod_Andre_MortisBadGuy_40_03"); //Was hast du nun vor? Dich als Gefängiswache werde ich niemals wieder nehmen. if (Mod_Gilde < 1) || (Mod_Gilde > 3) { AI_Output(hero, self, "Info_Mod_Andre_MortisBadGuy_15_04"); //Ich wollte Bekannt geben, dass ich aus der Stadt reisen will. Deshalb lege ich meinen Milizjob nieder. AI_Output(self, hero, "Info_Mod_Andre_MortisBadGuy_40_05"); //Bist du dir da auch wirklich sicher? AI_Output(hero, self, "Info_Mod_Andre_MortisBadGuy_15_06"); //Ich habe mich schon entschieden. AI_Output(self, hero, "Info_Mod_Andre_MortisBadGuy_40_07"); //Nun gut, vergiss nie, dass du hier herzlich Willkommen bist, wenn du wieder von neu anfangen willst. AI_Output(hero, self, "Info_Mod_Andre_MortisBadGuy_15_08"); //Ich werde es mir merken. } else { AI_Output(hero, self, "Info_Mod_Andre_MortisBadGuy_15_09"); //Ich werde jetzt meinen anderen Aufgaben nachgehen. }; var C_Item itm; itm = Npc_GetEquippedArmor(hero); if (Hlp_IsItem(itm, ITAR_MIL_L) == TRUE) { AI_UnequipArmor (hero); AI_EquipBestArmor (hero); }; Npc_RemoveInvItems (hero, ItAr_MIL_L, 1); B_StartOtherRoutine (Mod_564_MIL_Boltan_NW, "START"); B_StartOtherRoutine (Mod_742_MIL_Mortis_NW, "KNAST"); AI_Teleport (Mod_742_MIL_Mortis_NW, "NW_CITY_HABOUR_KASERN_HALVOR"); }; INSTANCE Info_Mod_Andre_Rangar (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Rangar_Condition; information = Info_Mod_Andre_Rangar_Info; permanent = 0; important = 0; description = "Es gibt Gerüchte über eine Miliz."; }; FUNC INT Info_Mod_Andre_Rangar_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Hi)) && (Npc_KnowsInfo(hero, Info_Mod_Den_Problem)) && (Mod_DensGeruechtVerbreitet == TRUE) && ((Mob_HasItems("RANGARSTRUHE", ItMi_Joint) > 0) || (Mob_HasItems("RANGARSTRUHE", ItMi_HerbPaket) > 0)) && (Mod_DenVerpfiffen == 0) && (Mod_Den_Problem == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_Rangar_Info() { AI_Output(hero, self, "Info_Mod_Andre_Rangar_15_00"); //Es gibt Gerüchte über eine Miliz. AI_Output(self, hero, "Info_Mod_Andre_Rangar_40_01"); //Über wen? AI_Output(hero, self, "Info_Mod_Andre_Rangar_15_02"); //Rangar. Die Bürger erzählen sich da die verschiedensten Sachen. if (Mob_HasItems("RANGARSTRUHE", ItMi_HerbPaket) > 0) { AI_Output(hero, self, "Info_Mod_Andre_Rangar_15_03"); //Außerdem hab ich gesehen, wie er ein Paket Sumpfkraut in seine Truhe gelegt hat. B_GivePlayerXP (150); } else { AI_Output(hero, self, "Info_Mod_Andre_Rangar_15_04"); //Außerdem hab ich gesehen, wie er Sumpfkrautstängel in seine Truhe getan hat. B_GivePlayerXP (100); }; AI_Output(self, hero, "Info_Mod_Andre_Rangar_40_05"); //Ich werde das sofort überprüfen lassen. Danke, dass du mich benachrichtigt hast. AI_Output(self, hero, "Info_Mod_Andre_Rangar_40_06"); //Hier ist eine kleine Belohnung. B_GiveInvItems (self, hero, ItMi_Gold, 100); B_LogEntry (TOPIC_MOD_DENSPROBLEM, "Lord Andre wird der Sache mit Rangar nachgehen. Ich sollte jetzt Den bescheid geben."); }; INSTANCE Info_Mod_Andre_Ole (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Ole_Condition; information = Info_Mod_Andre_Ole_Info; permanent = 0; important = 0; description = "Ich soll dir diesen Brief von Ole von der königlichen Garde geben."; }; FUNC INT Info_Mod_Andre_Ole_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Hi)) && (Npc_KnowsInfo(hero, Info_Mod_Ole_Aufgabe)) && (Npc_HasItems(hero, ItWr_OleForAndre) == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_Ole_Info() { AI_Output(hero, self, "Info_Mod_Andre_Ole_15_00"); //Ich soll dir diesen Brief von Ole von der königlichen Garde geben. B_GiveInvItems (hero, self, ItWr_OleForAndre, 1); AI_Output(self, hero, "Info_Mod_Andre_Ole_40_01"); //In Ordnung, lass mal sehen. B_UseFakeScroll(); AI_Output(self, hero, "Info_Mod_Andre_Ole_40_02"); //Sag Ole, solange er mir kein Erz garantieren kann, bekommt er auch keine Paladine als zusätzliche Männer zur Verfügung gestellt. AI_Output(self, hero, "Info_Mod_Andre_Ole_40_03"); //Er soll mir mindestens Fünfzig Erzbrocken bringen, als Beweis dass er wieder Erz abbaut, dann können wir über zusätzliche Leute reden. AI_Output(self, hero, "Info_Mod_Andre_Ole_40_04"); //Geh und sag ihm das. B_LogEntry (TOPIC_MOD_KG_OLEBRIEF, "Lord Andre scheint keine Verstärkung zur Garde schicken zu wollen, solange es keine Garantien für Erz gibt. Das wird Ole sicher nicht gefallen."); }; INSTANCE Info_Mod_Andre_Knast (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Knast_Condition; information = Info_Mod_Andre_Knast_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Knast_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Engor_ToHagen)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Knast_Info() { AI_Output(self, hero, "Info_Mod_Andre_Knast_40_00"); //Du wurdest von einem angesehen Bürger als Verbrecher angezeigt. Was hast du zu dieser Anschuldigung zu sagen? Info_ClearChoices (Info_Mod_Andre_Knast); Info_AddChoice (Info_Mod_Andre_Knast, "Gibt es irgendwelche Beweise gegen mich?", Info_Mod_Andre_Knast_C); Info_AddChoice (Info_Mod_Andre_Knast, "Ich bin kein Verbrecher.", Info_Mod_Andre_Knast_B); Info_AddChoice (Info_Mod_Andre_Knast, "Dieser Bürger ist ein Betrüger.", Info_Mod_Andre_Knast_A); }; FUNC VOID Info_Mod_Andre_Knast_Ok () { AI_Output(self, hero, "Info_Mod_Andre_Knast_Ok_40_00"); //Ich werde das nachprüfen. Danke für deine Antworten. Info_ClearChoices (Info_Mod_Andre_Knast); AI_StopProcessInfos (self); AI_GotoWP (self, "KASERNE"); }; FUNC VOID Info_Mod_Andre_Knast_C () { AI_Output(hero, self, "Info_Mod_Andre_Knast_C_15_00"); //Gibt es irgendwelche Beweise gegen mich? AI_Output(self, hero, "Info_Mod_Andre_Knast_C_40_01"); //Es ist nicht schwer eine Bestätigung dafür zu bekommen, dass du aus der Strafkolonie stammst, und die Mitglieder des Alten Lagers sind noch immer alles andere als seriöse Geschäftsleute, somit bist du nachweislich Mitglied einer kriminellen Vereinigung. Info_ClearChoices (Info_Mod_Andre_Knast); Info_AddChoice (Info_Mod_Andre_Knast, "Ich wurde von Alissandro, einem Bekannten von Lord Hagen, geschickt.", Info_Mod_Andre_Knast_C_B); Info_AddChoice (Info_Mod_Andre_Knast, "Bodo trägt die Waffe eines Dämonenritters.", Info_Mod_Andre_Knast_C_A); }; FUNC VOID Info_Mod_Andre_Knast_C_B () { AI_Output(hero, self, "Info_Mod_Andre_Knast_C_B_15_00"); //Ich wurde von Alissandro, einem Bekannten von Lord Hagen, geschickt. Info_Mod_Andre_Knast_Ok(); }; FUNC VOID Info_Mod_Andre_Knast_C_A () { AI_Output(hero, self, "Info_Mod_Andre_Knast_C_A_15_00"); //Bodo trägt die Waffe eines Dämonenritters. Info_Mod_Andre_Knast_Ok(); }; FUNC VOID Info_Mod_Andre_Knast_B () { AI_Output(hero, self, "Info_Mod_Andre_Knast_B_15_00"); //Ich bin kein Verbrecher. AI_Output(self, hero, "Info_Mod_Andre_Knast_B_40_01"); //Hast du dafür irgendwelche Beweise oder sind diese Behauptungen aus der Luft gegriffen? Info_ClearChoices (Info_Mod_Andre_Knast); Info_AddChoice (Info_Mod_Andre_Knast, "Ich bin allerdings kein Verbrecher, Im Gegensatz zu Bodo.", Info_Mod_Andre_Knast_AB_C); Info_AddChoice (Info_Mod_Andre_Knast, "Ich wurde von Alissandro, einem Bekannten von Lord Hagen, geschickt.", Info_Mod_Andre_Knast_C_B); Info_AddChoice (Info_Mod_Andre_Knast, "Bodo trägt die Waffe eines Dämonenritters.", Info_Mod_Andre_Knast_C_A); }; FUNC VOID Info_Mod_Andre_Knast_A () { AI_Output(hero, self, "Info_Mod_Andre_Knast_A_15_00"); //Dieser Bürger ist ein Betrüger. AI_Output(self, hero, "Info_Mod_Andre_Knast_A_40_01"); //Hast du dafür irgendwelche Beweise oder sind diese Behauptungen aus der Luft gegriffen? Info_ClearChoices (Info_Mod_Andre_Knast); Info_AddChoice (Info_Mod_Andre_Knast, "Ich bin allerdings kein Verbrecher, Im Gegensatz zu Bodo.", Info_Mod_Andre_Knast_AB_C); Info_AddChoice (Info_Mod_Andre_Knast, "Ich wurde von Alissandro, einem Bekannten von Lord Hagen, geschickt.", Info_Mod_Andre_Knast_C_B); Info_AddChoice (Info_Mod_Andre_Knast, "Bodo trägt die Waffe eines Dämonenritters.", Info_Mod_Andre_Knast_C_A); }; FUNC VOID Info_Mod_Andre_Knast_AB_C () { AI_Output(hero, self, "Info_Mod_Andre_Knast_AB_C_15_00"); //Ich bin allerdings kein Verbrecher, Im Gegensatz zu Bodo. AI_Output(self, hero, "Info_Mod_Andre_Knast_AB_C_40_01"); //Kannst du das beweisen? Info_ClearChoices (Info_Mod_Andre_Knast); Info_AddChoice (Info_Mod_Andre_Knast, "Ich wurde von Alissandro, einem Bekannten von Lord Hagen, geschickt.", Info_Mod_Andre_Knast_C_B); Info_AddChoice (Info_Mod_Andre_Knast, "Bodo trägt die Waffe eines Dämonenritters.", Info_Mod_Andre_Knast_C_A); }; INSTANCE Info_Mod_Andre_Knast2 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Knast2_Condition; information = Info_Mod_Andre_Knast2_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Knast2_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Knast)) && (Npc_GetDistToWP(self, "NW_CITY_HABOUR_KASERN_PRISON_02") < 500) { return 1; }; }; FUNC VOID Info_Mod_Andre_Knast2_Info() { AI_Output(self, hero, "Info_Mod_Andre_Knast2_40_00"); //Wir haben deine Aussagen überprüft und sie scheinen korrekt zu sein. Ich entschuldige mich für die Umstände die wir dir bereitet haben. AI_Output(self, hero, "Info_Mod_Andre_Knast2_40_01"); //Lord Hagen wird dich empfangen, weiterhin weise ich dich daraufhin dass der Bürger Bodo die Stadt verlassen hat. if (Wld_IsMobAvailable(self,"LEVER")) { AI_UseMob (self, "LEVER", 1); }; B_LogEntry (TOPIC_MOD_AL_FLUCHT, "Ich habe ihm alles erzählt und wurde wieder freigelassen. Lord Hagen empfängt mich nun."); B_StartOtherRoutine (Mod_516_SNOV_Bodo_NW, "TOT"); AI_StopProcessInfos (self); }; INSTANCE Info_Mod_Andre_Steinmonster (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Steinmonster_Condition; information = Info_Mod_Andre_Steinmonster_Info; permanent = 0; important = 0; description = "Hier sind die fünfzig Erzbrocken als Beweis."; }; FUNC INT Info_Mod_Andre_Steinmonster_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Granmar_VM_SpecialErzguardian)) && (Npc_HasItems(hero, ItMi_ErzPaketAndre) == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_Steinmonster_Info() { AI_Output(hero, self, "Info_Mod_Andre_Steinmonster_15_00"); //Hier sind die fünfzig Erzbrocken als Beweis. Wie sieht es jetzt aus mit der Verstärkung? B_GiveInvItems (hero, self, ItMi_ErzPaketAndre, 1); AI_Output(self, hero, "Info_Mod_Andre_Steinmonster_40_01"); //Ah, sehr schön. Nun gut, ich glaube, es lohnt sich in die Mine zu investieren. AI_Output(self, hero, "Info_Mod_Andre_Steinmonster_40_02"); //Vor kurzem ist der Paladin Trent von den Südlichen Inseln bei uns angekommen. Ich denke, er ist genau der richtige für den Job. AI_Output(self, hero, "Info_Mod_Andre_Steinmonster_40_03"); //Leider hat er sich bisher noch nicht bei mir gemeldet. Du solltest als erstes im Hafenviertel nach ihm suchen. AI_Output(self, hero, "Info_Mod_Andre_Steinmonster_40_04"); //Bring ihn danach erst einmal zu mir, ich werde dann alles weitere mit ihm klären. AI_Output(hero, self, "Info_Mod_Andre_Steinmonster_15_05"); //Na schön, dann werd ich mal nach ihm suchen. B_LogEntry (TOPIC_MOD_KG_STEINMONSTER, "Der Paladin Trent soll mir in der Mine helfen, jedoch ist er noch nicht bei Lord Andre aufgetaucht. Ich sollte mich im Hafenviertel bei den anderen Paladinen umsehen."); }; INSTANCE Info_Mod_Andre_Steinmonster2 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Steinmonster2_Condition; information = Info_Mod_Andre_Steinmonster2_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Steinmonster2_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Trent_Shadowbeast)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Steinmonster2_Info() { AI_Output(self, hero, "Info_Mod_Andre_Steinmonster2_40_00"); //Und, hast du ihn gefunden? AI_Output(hero, self, "Info_Mod_Andre_Steinmonster2_15_01"); //Gefunden habe ich ihn, allerdings ist er schon ins Minental aufgebrochen. AI_Output(self, hero, "Info_Mod_Andre_Steinmonster2_40_02"); //Wie? Ich verstehe nicht richtig, er sollte sich doch zuerst bei mir melden. AI_Output(hero, self, "Info_Mod_Andre_Steinmonster2_15_03"); //Anscheinend wollte er lieber handeln als reden. AI_Output(self, hero, "Info_Mod_Andre_Steinmonster2_40_04"); //Was fällt ihm ein, den Befehl eines Vorgesetzten zu missachten? Er soll sich unverzüglich bei mir melden, ansonsten bin ich gezwungen in zu degradieren. AI_Output(self, hero, "Info_Mod_Andre_Steinmonster2_40_05"); //Ich weiß, dass er viele Auszeichnungen in Myrtana bekommen hat, aber so kann er sich mir gegenüber nicht verhalten. AI_Output(hero, self, "Info_Mod_Andre_Steinmonster2_15_06"); //Glaubst du nicht, dass du ein wenig überreagierst? AI_Output(self, hero, "Info_Mod_Andre_Steinmonster2_40_07"); //Keineswegs. Er hat sich nach meinen Regeln zu richten. Und nun geh und überbring ihm das. }; INSTANCE Info_Mod_Andre_Trent (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Trent_Condition; information = Info_Mod_Andre_Trent_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Trent_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Xardas_NW_Trent)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Trent_Info() { AI_Output(self, hero, "Info_Mod_Andre_Trent_40_00"); //Was hast du dir eigentlich dabei gedacht, aus einem meiner Paladine ein psychisches Wrack zu machen? AI_Output(hero, self, "Info_Mod_Andre_Trent_15_01"); //Er wurde durch schwarzes Erz verflucht, wie hätte man das denn wissen können? AI_Output(self, hero, "Info_Mod_Andre_Trent_40_02"); //Indem man bei mir eine Vorbesprechung macht! AI_Output(self, hero, "Info_Mod_Andre_Trent_40_03"); //Aber gut, ihr habt ja die Mine zum Laufen gebracht, und du bist bei dieser Mission nicht mir, sondern Hymir zugeteilt gewesen. AI_Output(self, hero, "Info_Mod_Andre_Trent_40_04"); //Der Paladin Trent allerdings muss mit den Konsequenzen leben. AI_Output(hero, self, "Info_Mod_Andre_Trent_15_05"); //Was sollen das für Konsequenzen sein? AI_Output(self, hero, "Info_Mod_Andre_Trent_40_06"); //Nun ja, ich habe volle Befehlsgewalt über ihn, und deswegen führt er jetzt einen Spionagetrupp im Minental an, um herauszufinden, was der nächste Schritt der Orks ist. AI_Output(hero, self, "Info_Mod_Andre_Trent_15_07"); //Und wo genau sollen sie spionieren? AI_Output(self, hero, "Info_Mod_Andre_Trent_40_08"); //In der Nähe des alten Kastells, am großen See, wo der alte Turm des Dämonenbeschwörers ist. Dort scheinen die Orks eine Art Ritualstätte gebaut zu haben. AI_Output(self, hero, "Info_Mod_Andre_Trent_40_09"); //Wenn du willst kannst du sie unterstützen. Damit kannst du auch mein Vertrauen wiedergewinnen. AI_Output(hero, self, "Info_Mod_Andre_Trent_15_10"); //Wenn es sein muss. AI_TurnAway (hero, self); AI_Output(hero, self, "Info_Mod_Andre_Trent_15_11"); //(zu sich selbst) Sich bei mir beschweren, aber ein psychisches Wrack mitten ins Orkgebiet schicken ... B_LogEntry (TOPIC_MOD_KG_RITUAL, "Ich sollte Trent bei seiner Spionagemission im Minental unterstützen. Er müsste irgendwo in der Nähe des alten Kastells bei Xardas' altem Turm sein."); }; INSTANCE Info_Mod_Andre_Trent2 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Trent2_Condition; information = Info_Mod_Andre_Trent2_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Trent2_Condition() { if (Mod_KG_OrkTot == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_Trent2_Info() { AI_Output(self, hero, "Info_Mod_Andre_Trent2_40_00"); //Ist jetzt schon ein paar Tage her, was gibt es denn Neues von den Orks. AI_Output(hero, self, "Info_Mod_Andre_Trent2_15_01"); //Die Orks in der Höhle sind tot. Sie wurden von einem Schamanen angeführt, der einige fiese Sachen drauf hatte. AI_Output(self, hero, "Info_Mod_Andre_Trent2_40_02"); //Das klingt doch gut, wenn der Job erledigt ist. Wo sind dann die anderen? AI_Output(hero, self, "Info_Mod_Andre_Trent2_15_03"); //Sie sind alle tot! Drei von ihnen waren schon tot, als ich ankam, der Rest wurde durch die Magie des Schamanen getötet. AI_Output(self, hero, "Info_Mod_Andre_Trent2_40_04"); //Und was ist mit dem Paladin? AI_Output(hero, self, "Info_Mod_Andre_Trent2_15_05"); //Er war während des ganzen Kampfes nicht bei der Sache und hat im richtigen Moment nicht aufgepasst. Er hätte sich vielleicht erst mal erholen sollen. AI_Output(self, hero, "Info_Mod_Andre_Trent2_40_06"); //Nun, trotz alledem ist es einen gute Nachricht, die Orks tot zu wissen. AI_Output(self, hero, "Info_Mod_Andre_Trent2_40_07"); //Hier, 500 Goldmünzen sollten dich der Verluste entschädigen. B_GiveInvItems (self, hero, ItMi_Gold, 500); AI_Output(self, hero, "Info_Mod_Andre_Trent2_40_08"); //Wir werden bald mit unseren Leute die verlassene Mine übernehmen, aber natürlich erhältst du weiterhin deinen Anteil. B_GivePlayerXP (500); }; INSTANCE Info_Mod_Andre_Mario (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Mario_Condition; information = Info_Mod_Andre_Mario_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_Mario_Condition() { if (Mod_Mario == 11) { return 1; }; }; FUNC VOID Info_Mod_Andre_Mario_Info() { AI_Output(self, hero, "Info_Mod_Andre_Mario_40_00"); //Wir müssen uns mal ernsthaft über deine Rolle bei Marios Verschwinden unterhalten. AI_Output(hero, self, "Info_Mod_Andre_Mario_15_01"); //Was soll ich denn darüber wissen? AI_Output(self, hero, "Info_Mod_Andre_Mario_40_02"); //Du warst einer seiner engsten Vertrauten. Hat er dir irgendwas erzählt, bevor er geflohen ist? AI_Output(hero, self, "Info_Mod_Andre_Mario_15_03"); //Nein, ich kann mich nicht erinnern. AI_Output(self, hero, "Info_Mod_Andre_Mario_40_04"); //Er hat einen Triebtäter aus dem Gefängnis befreit und konnte dann unbemerkt entwischen. AI_Output(self, hero, "Info_Mod_Andre_Mario_40_05"); //Keine Wache der Miliz in der ganzen Stadt kann sich erinnern, ihn gesehen zu haben. AI_Output(hero, self, "Info_Mod_Andre_Mario_15_06"); //Dann hat er vielleicht einen geheimen Weg genommen? Mit einem Boot hinaus aufs Meer? AI_Output(self, hero, "Info_Mod_Andre_Mario_40_07"); //Ich weiß es nicht. Aber ich werde diesen Weg nun verstärkt kontrollieren. AI_Output(hero, self, "Info_Mod_Andre_Mario_15_08"); //War's das dann? AI_Output(self, hero, "Info_Mod_Andre_Mario_40_09"); //Ja, hau schon ab. }; INSTANCE Info_Mod_Andre_TomKraut (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_TomKraut_Condition; information = Info_Mod_Andre_TomKraut_Info; permanent = 0; important = 0; description = "Ich wollte Tom freikaufen."; }; FUNC INT Info_Mod_Andre_TomKraut_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Tom_Krautquest)) { return 1; }; }; FUNC VOID Info_Mod_Andre_TomKraut_Info() { AI_Output(hero, self, "Info_Mod_Andre_TomKraut_15_00"); //Ich wollte Tom freikaufen. AI_Output(self, hero, "Info_Mod_Andre_TomKraut_40_01"); //Diesen Verbrecher freikaufen? So leicht ist das in diesem Fall nicht zu regeln. AI_Output(self, hero, "Info_Mod_Andre_TomKraut_40_02"); //Es gab schon zuvor einige Indizien, dass er in das Sumpfkrautgeschäft innerhalb unserer Stadtmauern verstrickt ist ... aber eben nicht genug, um ihn dingfest zu machen. AI_Output(self, hero, "Info_Mod_Andre_TomKraut_40_03"); //Die Sumpfkrautpflanzen, die er hier einschmuggeln wollte, sind nun endlich der handfeste Beweis seiner Verwicklungen ins kriminelle Milieu. AI_Output(self, hero, "Info_Mod_Andre_TomKraut_40_04"); //Er wird hier seine Strafe absitzen, bis er schwarz wird. Und nun behellige mich nicht weiter damit. B_LogEntry (TOPIC_MOD_TOM_KRAUT, "Nun, das sieht nicht gut aus. Andre ist fest entschlossen Tom im Gefängnis zu lassen. Ich sollte ihm die Situation erklären ..."); }; INSTANCE Info_Mod_Andre_TomKraut2 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_TomKraut2_Condition; information = Info_Mod_Andre_TomKraut2_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_TomKraut2_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Boltan_TomKraut)) && (Mob_HasItems("ASSERVATENTRUHE", ItPl_SwampHerb) == 0) && (Mob_HasItems("ASSERVATENTRUHE", ItPl_Weed) == 3) && (Mod_SenyanTom_Kraut == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_TomKraut2_Info() { AI_Output(self, hero, "Info_Mod_Andre_TomKraut2_40_00"); //He, was machst du wieder hier? AI_Output(hero, self, "Info_Mod_Andre_TomKraut2_15_01"); //Ich zweifele an Toms Schuld. AI_Output(self, hero, "Info_Mod_Andre_TomKraut2_40_02"); //(verärgert) Ich glaube wirklich, ich muss dich vorerst dieser Räumlichkeiten verweisen. AI_Output(hero, self, "Info_Mod_Andre_TomKraut2_15_03"); //Tom meinte, er habe nur irgendwelches Unkraut gesammelt, dass Sumpfkraut ähnlich sehe. AI_Output(hero, self, "Info_Mod_Andre_TomKraut2_15_04"); //Er sei dann aber so eingeschüchtert gewesen, dass er sich nicht getraut habe es zu sagen. AI_Output(self, hero, "Info_Mod_Andre_TomKraut2_40_05"); //(um Fassung ringend) Das ... das ist ja wirklich die Höhe. AI_Output(hero, self, "Info_Mod_Andre_TomKraut2_15_06"); //Ich meine das ernst ... vielleicht könnte ja eine Kräuterkundiger ... AI_Output(self, hero, "Info_Mod_Andre_TomKraut2_40_07"); //(die Wut unterdrückend) In Ordnung. Ich werde jemanden holen. AI_Output(self, hero, "Info_Mod_Andre_TomKraut2_40_08"); //Aber ich will dir schon sagen: Das wird ein Nachspiel haben. Und jetzt raus hier! AI_StopProcessInfos (self); AI_GotoWP (hero, "NW_CITY_HABOUR_KASERN_MAIN_ENTRY"); }; FUNC VOID Info_Mod_Andre_TomKraut5() { AI_Output(hero, self, "Info_Mod_Andre_TomKraut5_15_00"); //Dann kommt Tom jetzt frei? AI_Output(self, hero, "Info_Mod_Andre_TomKraut5_40_01"); //Ja, ja, bald. Nur noch einige Formalitäten ... und etwas mit den Torwachen zu klären ... B_LogEntry (TOPIC_MOD_TOM_KRAUT, "Tom sollte bald wieder auf freiem Fuß sein."); B_GivePlayerXP (400); Mod_SenyanTom_Kraut = 3; Mod_SenyanTom_Kraut_Tag = Wld_GetDay(); }; INSTANCE Info_Mod_Andre_TomKraut3 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_TomKraut3_Condition; information = Info_Mod_Andre_TomKraut3_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_TomKraut3_Condition() { if (Mod_SenyanTom_Kraut == 2) { return 1; }; }; FUNC VOID Info_Mod_Andre_TomKraut3_Info() { AI_Output(self, hero, "Info_Mod_Andre_TomKraut3_40_00"); //(verlegen) Ähhm ... es scheint, als habe es hier ein unglückliches Missverständnis gegeben. AI_Output(self, hero, "Info_Mod_Andre_TomKraut3_40_01"); //Das vermeintliche Sumpfkraut ... es war tatsächlich nur gewöhnliches Unkraut. Info_Mod_Andre_TomKraut5(); AI_StopProcessInfos (self); }; INSTANCE Info_Mod_Andre_TomKraut4 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_TomKraut4_Condition; information = Info_Mod_Andre_TomKraut4_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Andre_TomKraut4_Condition() { if (Mod_SenyanTom_Kraut_Wache_01 == 1) && (Mod_SenyanTom_Kraut_Wache_02 == 1) && (Mod_SenyanTom_Kraut_Mika == 1) && (Mod_SenyanTom_Kraut == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_TomKraut4_Info() { AI_Output(self, hero, "Info_Mod_Andre_TomKraut4_40_00"); //(zu sich selbst) Hmm, merkwürdig, das mit den Torwachen ... ich sollte man schauen, ob da auch wirklich Kraut in der Truhe ist. AI_UseMob (self, "CHESTBIG", 1); AI_UseMob (self, "CHESTBIG", -1); AI_GotoNpc (self, hero); AI_TurnToNpc (self, hero); AI_Output(self, hero, "Info_Mod_Andre_TomKraut4_40_01"); //(zu sich selbst) So was aber auch ... kein Kraut. AI_Output(hero, self, "Info_Mod_Andre_TomKraut4_15_02"); //Dann ist Tom also unschuldig? AI_Output(self, hero, "Info_Mod_Andre_TomKraut4_40_03"); //(überrascht) Ähhm ... ja ... es scheint ganz so, als hätte es da wohl einige Missverständnisse gegeben. Info_Mod_Andre_TomKraut5(); AI_StopProcessInfos (self); }; INSTANCE Info_Mod_Andre_HaradLehrling (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_HaradLehrling_Condition; information = Info_Mod_Andre_HaradLehrling_Info; permanent = 0; important = 0; description = "Ich habe ein Anliegen wegen Harad vorzutragen."; }; FUNC INT Info_Mod_Andre_HaradLehrling_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Harad_LehrlingQuest8)) && (Mod_HaradLehrling_Kap4 == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_HaradLehrling_Info() { AI_Output(hero, self, "Info_Mod_Andre_HaradLehrling_15_00"); //Ich habe ein Anliegen wegen Harad vorzutragen. AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling_40_01"); //Dann sprich! AI_Output(hero, self, "Info_Mod_Andre_HaradLehrling_15_02"); //Harad soll freikommen. Er hat kein Verbrechen begangen. AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling_40_03"); //Wenn dem nur so wäre! AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling_40_04"); //Wir können es uns nicht leisten, dass unser einziger Schmied in der Stadt unsere Konkurrenten beliefert. Das ist nicht schön, aber nicht zu ändern. AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling_40_05"); //Und da er sich nicht einsichtig zeigt, müssen wir ihn wenigstens davon abhalten, uns weiter zu schaden. }; INSTANCE Info_Mod_Andre_HaradLehrling2 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_HaradLehrling2_Condition; information = Info_Mod_Andre_HaradLehrling2_Info; permanent = 0; important = 0; description = "Wenn er wieder für die Paladine schmieden würde... dann würdet ihr ihn freilassen?"; }; FUNC INT Info_Mod_Andre_HaradLehrling2_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_HaradLehrling)) { return 1; }; }; FUNC VOID Info_Mod_Andre_HaradLehrling2_Info() { AI_Output(hero, self, "Info_Mod_Andre_HaradLehrling2_15_00"); //Wenn er wieder für die Paladine schmieden würde... dann würdet ihr ihn freilassen? AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling2_40_01"); //Wenn er es versprechen würde, müsste man darüber nachdenken. AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling2_40_02"); //Immerhin brauchen wir dringend neuen Waffennachschub. AI_Output(hero, self, "Info_Mod_Andre_HaradLehrling2_15_03"); //Ich werde mal sehen, was sich machen lässt. AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling2_40_04"); //Viel Glück. B_LogEntry (TOPIC_MOD_LEHRLING_HARAD_FOUR, "Ich muss Harad davon überzeugen, für die Paladine zu arbeiten. Nur dann lassen sie ihn frei."); }; INSTANCE Info_Mod_Andre_HaradLehrling3 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_HaradLehrling3_Condition; information = Info_Mod_Andre_HaradLehrling3_Info; permanent = 0; important = 0; description = "Ich habe mich von Harad losgesagt und bin jetzt selbstständig."; }; FUNC INT Info_Mod_Andre_HaradLehrling3_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Harad_LehrlingQuest9)) { return 1; }; }; FUNC VOID Info_Mod_Andre_HaradLehrling3_Info() { AI_Output(hero, self, "Info_Mod_Andre_HaradLehrling3_15_00"); //Ich habe mich von Harad losgesagt und bin jetzt selbstständig. AI_Output(hero, self, "Info_Mod_Andre_HaradLehrling3_15_01"); //Kann ich der Miliz und den Paladinen behilflich sein? AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling3_40_02"); //Das ist eine gute Nachricht. Ja, tatsächlich, wir haben momentan enormen Bedarf. AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling3_40_03"); //Die Schwerter der Milizionäre und Paladine könnten fast sämtlich gegen neuere getauscht werden. AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling3_40_04"); //Ich beauftrage dich hiermit mit der Anfertigung von sieben Edlen Schwertern, fünf Edlen Langschwertern und drei Rubinklingen. AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling3_40_05"); //Die Waffen kannst du mir bringen, sobald sie fertig sind. B_LogEntry (TOPIC_MOD_LEHRLING_HARAD_FOUR, "Lord Andre gab mir den Auftrag, sieben Edle Schwerter, fünf Edle Langschwerter und drei Rubinklingen zu schmieden. An die Arbeit!"); }; INSTANCE Info_Mod_Andre_HaradLehrling4 (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_HaradLehrling4_Condition; information = Info_Mod_Andre_HaradLehrling4_Info; permanent = 0; important = 0; description = "Hier, die Waffenlieferung."; }; FUNC INT Info_Mod_Andre_HaradLehrling4_Condition() { var int ES; ES = Npc_HasItems(hero, ItMw_Schwert1)+Npc_HasItems(hero, ItMw_Schwert1_Bonus)+Npc_HasItems(hero, ItMw_Schwert1_Stark)+Npc_HasItems(hero, ItMw_Schwert1_StarkBonus); if (ES < 7) { return 0; }; var int EL; EL = Npc_HasItems(hero, ItMw_Schwert4)+Npc_HasItems(hero, ItMw_Schwert4_Bonus)+Npc_HasItems(hero, ItMw_Schwert4_Stark)+Npc_HasItems(hero, ItMw_Schwert4_StarkBonus); if (ES < 5) { return 0; }; var int RK; RK = Npc_HasItems(hero, ItMw_Rubinklinge)+Npc_HasItems(hero, ItMw_Rubinklinge_Bonus)+Npc_HasItems(hero, ItMw_Rubinklinge_Stark)+Npc_HasItems(hero, ItMw_Rubinklinge_StarkBonus); if (ES < 3) { return 0; }; if (Npc_KnowsInfo(hero, Info_Mod_Andre_HaradLehrling3)) { if (Npc_HasItems(hero, ItMw_Schwert1) < 7) { if (Npc_HasItems(hero, ItMw_Schwert1_Bonus) > 0) { CreateInvItems (hero, ItMw_Schwert1, Npc_HasItems(hero, ItMw_Schwert1_Bonus)); Npc_RemoveInvItems (hero, ItMw_Schwert1_Bonus, Npc_HasItems(hero, ItMw_Schwert1_Bonus)); }; }; if (Npc_HasItems(hero, ItMw_Schwert1) < 7) { if (Npc_HasItems(hero, ItMw_Schwert1_Stark) > 0) { CreateInvItems (hero, ItMw_Schwert1, Npc_HasItems(hero, ItMw_Schwert1_Stark)); Npc_RemoveInvItems (hero, ItMw_Schwert1_Stark, Npc_HasItems(hero, ItMw_Schwert1_Stark)); }; }; if (Npc_HasItems(hero, ItMw_Schwert1) < 7) { if (Npc_HasItems(hero, ItMw_Schwert1_StarkBonus) > 0) { CreateInvItems (hero, ItMw_Schwert1, Npc_HasItems(hero, ItMw_Schwert1_StarkBonus)); Npc_RemoveInvItems (hero, ItMw_Schwert1_StarkBonus, Npc_HasItems(hero, ItMw_Schwert1_StarkBonus)); }; }; if (Npc_HasItems(hero, ItMw_Schwert4) < 5) { if (Npc_HasItems(hero, ItMw_Schwert4_Bonus) > 0) { CreateInvItems (hero, ItMw_Schwert4, Npc_HasItems(hero, ItMw_Schwert4_Bonus)); Npc_RemoveInvItems (hero, ItMw_Schwert4_Bonus, Npc_HasItems(hero, ItMw_Schwert4_Bonus)); }; }; if (Npc_HasItems(hero, ItMw_Schwert4) < 5) { if (Npc_HasItems(hero, ItMw_Schwert4_Stark) > 0) { CreateInvItems (hero, ItMw_Schwert4, Npc_HasItems(hero, ItMw_Schwert4_Stark)); Npc_RemoveInvItems (hero, ItMw_Schwert4_Stark, Npc_HasItems(hero, ItMw_Schwert4_Stark)); }; }; if (Npc_HasItems(hero, ItMw_Schwert4) < 5) { if (Npc_HasItems(hero, ItMw_Schwert4_StarkBonus) > 0) { CreateInvItems (hero, ItMw_Schwert4, Npc_HasItems(hero, ItMw_Schwert4_StarkBonus)); Npc_RemoveInvItems (hero, ItMw_Schwert4_StarkBonus, Npc_HasItems(hero, ItMw_Schwert4_StarkBonus)); }; }; if (Npc_HasItems(hero, ItMw_Rubinklinge) < 3) { if (Npc_HasItems(hero, ItMw_Rubinklinge_Bonus) > 0) { CreateInvItems (hero, ItMw_Rubinklinge, Npc_HasItems(hero, ItMw_Rubinklinge_Bonus)); Npc_RemoveInvItems (hero, ItMw_Rubinklinge_Bonus, Npc_HasItems(hero, ItMw_Rubinklinge_Bonus)); }; }; if (Npc_HasItems(hero, ItMw_Rubinklinge) < 3) { if (Npc_HasItems(hero, ItMw_Rubinklinge_Stark) > 0) { CreateInvItems (hero, ItMw_Rubinklinge, Npc_HasItems(hero, ItMw_Rubinklinge_Stark)); Npc_RemoveInvItems (hero, ItMw_Rubinklinge_Stark, Npc_HasItems(hero, ItMw_Rubinklinge_Stark)); }; }; if (Npc_HasItems(hero, ItMw_Rubinklinge) < 3) { if (Npc_HasItems(hero, ItMw_Rubinklinge_StarkBonus) > 0) { CreateInvItems (hero, ItMw_Rubinklinge, Npc_HasItems(hero, ItMw_Rubinklinge_StarkBonus)); Npc_RemoveInvItems (hero, ItMw_Rubinklinge_StarkBonus, Npc_HasItems(hero, ItMw_Rubinklinge_StarkBonus)); }; }; return 1; }; }; FUNC VOID Info_Mod_Andre_HaradLehrling4_Info() { AI_Output(hero, self, "Info_Mod_Andre_HaradLehrling4_15_00"); //Hier, die Waffenlieferung. B_ShowGivenThings ("7 Edle Schwerter, 5 Edle Langschwerter und 3 Rubinklingen gegeben"); Npc_RemoveInvItems (hero, ItMw_Schwert1, 7); Npc_RemoveInvItems (hero, ItMw_Schwert4, 5); Npc_RemoveInvItems (hero, ItMw_Rubinklinge, 3); AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling4_40_01"); //Saubere Arbeit. Deine Fertigkeiten sind beeindruckend. AI_Output(hero, self, "Info_Mod_Andre_HaradLehrling4_15_02"); //Gibt es noch mehr zu tun? AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling4_40_03"); //Gerade nicht. Sollte sich etwas ergeben, werde ich dir aber wieder Bescheid geben. AI_Output(self, hero, "Info_Mod_Andre_HaradLehrling4_40_04"); //Danke noch mal für deine Zusammenarbeit. B_SetTopicStatus (TOPIC_MOD_LEHRLING_HARAD_FOUR, LOG_SUCCESS); B_GivePlayerXP (1000); CurrentNQ += 1; }; INSTANCE Info_Mod_Andre_Kompass (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Kompass_Condition; information = Info_Mod_Andre_Kompass_Info; permanent = 0; important = 0; description = "Ich habe diesen goldenen Kompass gefunden."; }; FUNC INT Info_Mod_Andre_Kompass_Condition() { if (Npc_HasItems(hero, ItMi_GoldKompass) == 1) { return 1; }; }; FUNC VOID Info_Mod_Andre_Kompass_Info() { AI_Output(hero, self, "Info_Mod_Andre_Kompass_15_00"); //Ich habe diesen goldenen Kompass gefunden. B_GiveInvItems (hero, self, ItMi_GoldKompass, 1); AI_Output(self, hero, "Info_Mod_Andre_Kompass_40_01"); //Zeig mal ... Das ist er, der Kompass der Esmeralda. Vortrefflich! Hmm, und der Dieb? AI_Output(hero, self, "Info_Mod_Andre_Kompass_15_02"); //Er hat mit seinem Leben dafür bezahlt. AI_Output(self, hero, "Info_Mod_Andre_Kompass_40_03"); //Damit wurde diese Tat gesühnt. Du hast dir das Kopfgeld, sowie die Belohnung für die Wiederbeschaffung des Kompasses verdient. AI_Output(self, hero, "Info_Mod_Andre_Kompass_40_04"); //Darüber hinaus möchte ich dir im Namen der Paladine danken. Du bist ein Vorbild für jeden Bürger dieser Stadt. B_GiveInvItems (self, hero, ItMi_Gold, 600); B_GivePlayerXP (800); CurrentNQ += 1; B_SetTopicStatus (TOPIC_MOD_HEROLD_KOMPASS, LOG_SUCCESS); }; var int Andre_LastPetzCounter; var int Andre_LastPetzCrime; INSTANCE Info_Mod_Andre_PMSchulden (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_PMSchulden_Condition; information = Info_Mod_Andre_PMSchulden_Info; permanent = 1; important = 1; }; FUNC INT Info_Mod_Andre_PMSchulden_Condition() { if (Npc_IsInState(self, ZS_Talk)) && (Andre_Schulden > 0) && (B_GetGreatestPetzCrime(self) <= Andre_LastPetzCrime) { return TRUE; }; }; FUNC VOID Info_Mod_Andre_PMSchulden_Info() { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_00"); //Bist du gekommen, um deine Strafe zu zahlen? if (B_GetTotalPetzCounter(self) > Andre_LastPetzCounter) { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_01"); //Ich hatte mich schon gefragt, ob du es überhaupt noch wagst, hierher zu kommen! AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_02"); //Anscheinend ist es nicht bei den letzten Anschuldigungen geblieben! if (Andre_Schulden < 1000) { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_03"); //Ich hatte dich gewarnt! Die Strafe, die du jetzt zahlen musst, ist höher! AI_Output (hero, self, "Info_Mod_Andre_PMAdd_15_00"); //Wieviel? var int diff; diff = (B_GetTotalPetzCounter(self) - Andre_LastPetzCounter); if (diff > 0) { Andre_Schulden = Andre_Schulden + (diff * 50); }; if (Andre_Schulden > 1000) { Andre_Schulden = 1000; }; B_Say_Gold (self, hero, Andre_Schulden); } else { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_04"); //Du hast mich schwer enttäuscht! }; } else if (B_GetGreatestPetzCrime(self) < Andre_LastPetzCrime) { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_05"); //Es haben sich einige neue Dinge ergeben. if (Andre_LastPetzCrime == CRIME_MURDER) { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_06"); //Plötzlich gibt es niemanden mehr, der dich des Mordes bezichtigt. }; if (Andre_LastPetzCrime == CRIME_THEFT) || ( (Andre_LastPetzCrime > CRIME_THEFT) && (B_GetGreatestPetzCrime(self) < CRIME_THEFT) ) { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_07"); //Niemand erinnert sich mehr, dich bei einem Diebstahl gesehen zu haben. }; if (Andre_LastPetzCrime == CRIME_ATTACK) || ( (Andre_LastPetzCrime > CRIME_ATTACK) && (B_GetGreatestPetzCrime(self) < CRIME_ATTACK) ) { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_08"); //Es gibt keine Zeugen mehr dafür, dass du jemals in eine Schlägerei verwickelt warst. }; if (B_GetGreatestPetzCrime(self) == CRIME_NONE) { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_09"); //Anscheinend haben sich alle Anklagen gegen dich in Wohlgefallen aufgelöst. }; AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_10"); //Ich weiß nicht, was da gelaufen ist, aber ich warne dich: Spiel keine Spielchen mit mir. // ------- Schulden erlassen oder trotzdem zahlen ------ if (B_GetGreatestPetzCrime(self) == CRIME_NONE) { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_11"); //Ich habe mich jedenfalls entschieden, dir deine Schulden zu erlassen. AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_12"); //Sieh zu, dass du nicht wieder in Schwierigkeiten kommst. Andre_Schulden = 0; Andre_LastPetzCounter = 0; Andre_LastPetzCrime = CRIME_NONE; } else { AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_13"); //Damit eins klar ist: Deine Strafe musst du trotzdem in voller Höhe zahlen. B_Say_Gold (self, hero, Andre_Schulden); AI_Output (self, hero, "Info_Mod_Andre_PMSchulden_40_14"); //Also, was ist? }; }; // ------ Choices NUR, wenn noch Crime vorliegt ------ if (B_GetGreatestPetzCrime(self) != CRIME_NONE) { Info_ClearChoices (Info_Mod_Andre_PMSchulden); Info_ClearChoices (Info_Mod_Andre_PETZMASTER); Info_AddChoice (Info_Mod_Andre_PMSchulden,"Ich habe nicht genug Gold!",Info_Mod_Andre_PETZMASTER_PayLater); Info_AddChoice (Info_Mod_Andre_PMSchulden,"Wieviel war es nochmal?",Info_Mod_Andre_PMSchulden_HowMuchAgain); if (Npc_HasItems(hero, itmi_gold) >= Andre_Schulden) { Info_AddChoice (Info_Mod_Andre_PMSchulden,"Ich will die Strafe zahlen.",Info_Mod_Andre_PETZMASTER_PayNow); }; }; }; func void Info_Mod_Andre_PMSchulden_HowMuchAgain() { AI_Output (hero, self, "Info_Mod_Andre_PMSchulden_HowMuchAgain_15_00"); //Wie viel war es noch mal? B_Say_Gold (self, hero, Andre_Schulden); Info_ClearChoices (Info_Mod_Andre_PMSchulden); Info_ClearChoices (Info_Mod_Andre_PETZMASTER); Info_AddChoice (Info_Mod_Andre_PMSchulden,"Ich habe nicht genug Gold!",Info_Mod_Andre_PETZMASTER_PayLater); Info_AddChoice (Info_Mod_Andre_PMSchulden,"Wieviel war es nochmal?",Info_Mod_Andre_PMSchulden_HowMuchAgain); if (Npc_HasItems(hero, itmi_gold) >= Andre_Schulden) { Info_AddChoice (Info_Mod_Andre_PMSchulden,"Ich will die Strafe zahlen.",Info_Mod_Andre_PETZMASTER_PayNow); }; }; INSTANCE Info_Mod_Andre_PETZMASTER (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_PETZMASTER_Condition; information = Info_Mod_Andre_PETZMASTER_Info; permanent = 1; important = 1; }; FUNC INT Info_Mod_Andre_PETZMASTER_Condition() { if (B_GetGreatestPetzCrime(self) > Andre_LastPetzCrime) { return TRUE; }; }; FUNC VOID Info_Mod_Andre_PETZMASTER_Info() { Andre_Schulden = 0; //weil Funktion nochmal durchlaufen wird, wenn Crime höher ist... // ------ SC hat mit Andre noch nicht gesprochen ------ if (B_GetAivar(self, AIV_TalkedToPlayer) == FALSE) { AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_00"); //Du musst der Neue sein, der hier in der Stadt Ärger gemacht hat. }; if (B_GetGreatestPetzCrime(self) == CRIME_MURDER) { AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_01"); //Gut, dass du zu mir kommst, bevor alles noch schlimmer für dich wird. AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_02"); //Mord ist ein schweres Vergehen! Andre_Schulden = (B_GetTotalPetzCounter(self) * 50); //Anzahl der Zeugen * 50 Andre_Schulden = Andre_Schulden + 500; //PLUS Mörder-Malus if ((PETZCOUNTER_City_Theft + PETZCOUNTER_City_Attack + PETZCOUNTER_City_Sheepkiller) > 0) { AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_03"); //Ganz zu schweigen von den anderen Sachen, die du angerichtet hast. }; AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_04"); //Die Wachen haben Befehl, jeden Mörder auf der Stelle zu richten. AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_05"); //Und auch die meisten Bürger werden einen Mörder in der Stadt nicht dulden! AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_06"); //Ich habe kein Interesse daran, dich an den Galgen zu bringen. Wir sind im Krieg und wir brauchen jeden Mann. AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_07"); //Aber es wird nicht leicht sein, die Leute wieder gnädig zu stimmen. AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_08"); //Du könntest deine Reue zeigen, indem du eine Strafe zahlst - natürlich muss die Strafe angemessen hoch sein. }; if (B_GetGreatestPetzCrime(self) == CRIME_THEFT) { AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_09"); //Gut, dass du kommst! Du wirst des Diebstahls bezichtigt! Es gibt Zeugen! if ((PETZCOUNTER_City_Attack + PETZCOUNTER_City_Sheepkiller) > 0) { AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_10"); //Von den anderen Dingen, die mir zu Ohren gekommen sind, will ich gar nicht erst reden. }; AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_11"); //Ich werde so ein Verhalten in der Stadt nicht dulden! AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_12"); //Du wirst eine Strafe zahlen müssen, um dein Verbrechen wieder gutzumachen! Andre_Schulden = (B_GetTotalPetzCounter(self) * 50); //Anzahl der Zeugen * 50 }; if (B_GetGreatestPetzCrime(self) == CRIME_ATTACK) { AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_13"); //Wenn du dich mit dem Gesindel im Hafen herumprügelst, ist das eine Sache ... AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_14"); //Aber wenn du Bürger oder Soldaten des Königs angreifst, muss ich dich zur Rechenschaft ziehen. if (PETZCOUNTER_City_Sheepkiller > 0) { AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_15"); //Und die Sache mit den Schafen musste wohl auch nicht sein. }; AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_16"); //Wenn ich dir das durchgehen lasse, macht hier bald jeder, was er will. AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_17"); //Also wirst du eine angemessene Strafe zahlen - und die Sache ist vergessen. Andre_Schulden = (B_GetTotalPetzCounter(self) * 50); //Anzahl der Zeugen * 50 }; // ------ Schaf getötet (nahezu uninteressant - in der City gibt es keine Schafe) ------ if (B_GetGreatestPetzCrime(self) == CRIME_SHEEPKILLER) { AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_18"); //Mir ist zu Ohren gekommen, du hättest dich an unseren Schafen vergriffen. AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_19"); //Dir ist klar, dass ich das nicht durchgehen lassen kann. AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_40_20"); //Du wirst eine Entschädigung zahlen müssen! Andre_Schulden = 100; }; AI_Output (hero, self, "Info_Mod_Andre_PETZMASTER_15_21"); //Wie viel? if (Andre_Schulden > 1000) { Andre_Schulden = 1000; }; B_Say_Gold (self, hero, Andre_Schulden); Info_ClearChoices (Info_Mod_Andre_PMSchulden); Info_ClearChoices (Info_Mod_Andre_PETZMASTER); Info_AddChoice (Info_Mod_Andre_PETZMASTER,"Ich habe nicht genug Gold!",Info_Mod_Andre_PETZMASTER_PayLater); if (Npc_HasItems(hero, itmi_gold) >= Andre_Schulden) { Info_AddChoice (Info_Mod_Andre_PETZMASTER,"Ich will die Strafe zahlen.",Info_Mod_Andre_PETZMASTER_PayNow); }; }; func void Info_Mod_Andre_PETZMASTER_PayNow() { AI_Output (hero, self, "Info_Mod_Andre_PETZMASTER_PayNow_15_00"); //Ich will die Strafe zahlen! B_GiveInvItems (hero, self, itmi_gold, Andre_Schulden); AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_PayNow_40_01"); //Gut! Ich werde dafür sorgen, dass es jeder in der Stadt erfährt - damit wäre dein Ruf einigermaßen wiederhergestellt. B_GrantAbsolution (LOC_CITY); Andre_Schulden = 0; Andre_LastPetzCounter = 0; Andre_LastPetzCrime = CRIME_NONE; Info_ClearChoices (Info_Mod_Andre_PETZMASTER); Info_ClearChoices (Info_Mod_Andre_PMSchulden); //!!! Info-Choice wird noch von anderem Dialog angesteuert! }; func void Info_Mod_Andre_PETZMASTER_PayLater() { AI_Output (hero, self, "Info_Mod_Andre_PETZMASTER_PayLater_15_00"); //Ich habe nicht genug Gold! AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_PayLater_40_01"); //Dann sieh zu, dass du das Gold so schnell wie möglich beschaffst. AI_Output (self, hero, "Info_Mod_Andre_PETZMASTER_PayLater_40_02"); //Und ich warne dich: Wenn du dir noch was zu schulden kommen lässt, wird die Sache noch schlimmer für dich! Andre_LastPetzCounter = B_GetTotalPetzCounter(self); Andre_LastPetzCrime = B_GetGreatestPetzCrime(self); AI_StopProcessInfos (self); }; INSTANCE Info_Mod_Andre_Kopfgeld (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Kopfgeld_Condition; information = Info_Mod_Andre_Kopfgeld_Info; permanent = 1; important = 0; description = "Ich will Kopfgeld für einen Verbrecher kassieren."; }; FUNC INT Info_Mod_Andre_Kopfgeld_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Andre_Hi)) { return 1; }; }; FUNC VOID Info_Mod_Andre_Kopfgeld_Info() { AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_15_00"); //Ich will Kopfgeld für einen Verbrecher kassieren. Info_ClearChoices (Info_Mod_Andre_Kopfgeld); Info_AddChoice (Info_Mod_Andre_Kopfgeld, "Zurück.", Info_Mod_Andre_Kopfgeld_Zurueck); if (Npc_KnowsInfo(hero, Info_Mod_Tom_Hi)) && (Mod_Tom_Boese == TRUE) { Info_AddChoice (Info_Mod_Andre_Kopfgeld, "Tom versucht einen Freund vor einem Miliztrupp zu warnen.", Info_Mod_Andre_Kopfgeld_Tom); }; if (Npc_KnowsInfo(hero, Info_Mod_Nagur_Hi)) && (Nagur_KillAkahasch == TRUE) && (!Npc_IsDead(Mod_4016_NOV_Akahasch_NW)) { Info_AddChoice (Info_Mod_Andre_Kopfgeld, "Nagur will den Novizen Akahasch tot sehen.", Info_Mod_Andre_Kopfgeld_Nagur); }; if (Npc_KnowsInfo(hero, Info_Mod_Meldor_Hilfe)) && (Npc_HasItems(hero, ItMi_HerbPaket) >= 1) && (!Npc_KnowsInfo(hero, Info_Mod_Meldor_PaketSicher)) && (Mob_HasItems("CHEST_ANDRE_WAREHOUSE_PACKET", ItMi_HerbPaket) == 0) { Info_AddChoice (Info_Mod_Andre_Kopfgeld, "Meldor hat Sumpfkraut, welches er illegal verkauft.", Info_Mod_Andre_Kopfgeld_Meldor); }; if (Npc_KnowsInfo(hero, Info_Mod_Diego_HabBeweise)) && (Npc_HasItems(hero, ItWr_AL_GebrandtDokumente) == 1) { Info_AddChoice (Info_Mod_Andre_Kopfgeld, "Gerbrandt, Valentino, Cornelius und Fernando haben Dreck am Stecken.", Info_Mod_Andre_Kopfgeld_Gerbrandt); }; if (Npc_KnowsInfo(hero, Info_Mod_Kardif_KnowsRukhar)) && (Npc_HasItems(hero, ItWr_Rukhar_Wacholder) == 1) && (Mod_KnowsRukharWacholder == 5) { Info_AddChoice (Info_Mod_Andre_Kopfgeld, "Kardif hat Rukhar beauftragt eine Lieferung Wacholder von Coragon zu stehlen.", Info_Mod_Andre_Kopfgeld_Kardif); }; if (Npc_KnowsInfo(hero, Info_Mod_Den_Problem)) && (!Npc_KnowsInfo(hero, Info_Mod_Andre_Rangar)) && (Mod_DenVerpfiffen == 0) && (Mod_Den_Problem == 1) { Info_AddChoice (Info_Mod_Andre_Kopfgeld, "Den will Rangar in Verruf bringen.", Info_Mod_Andre_Kopfgeld_Den); }; if (Mod_WilfriedsQuest == 7) && (Npc_HasItems(hero, ItWr_WilfriedsListe) == 1) && (Npc_HasItems(hero, ItMi_Gold) >= 500) { Info_AddChoice (Info_Mod_Andre_Kopfgeld, "Der Bürger Wilfried war ein Betrüger.", Info_Mod_Andre_Kopfgeld_Wilfried); }; if (Nagur_KillAkahasch == 6) { Info_AddChoice (Info_Mod_Andre_Kopfgeld, "Kardif hat Nagur und seiner Bande dabei geholfen mir eine Falle zu stellen.", Info_Mod_Andre_Kopfgeld_Kardif2); }; }; FUNC VOID Info_Mod_Andre_Kopfgeld_Zurueck() { Info_ClearChoices (Info_Mod_Andre_Kopfgeld); }; FUNC VOID Info_Mod_Andre_Kopfgeld_Tom() { AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Tom_15_00"); //Tom versucht einen Freund vor einem Miliztrupp zu warnen. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Tom_40_01"); //Gut, dass du mir bescheid gesagt hast. Hier hast du deine Belohnung. B_GiveInvITems (self, hero, ItMi_Gold, 100); B_GivePlayerXP (100); AI_Teleport (Mod_967_BDT_Tom_NW, "NW_CITY_HABOUR_KASERN_HALVOR"); B_StartOtherRoutine (Mod_967_BDT_Tom_NW, "GEFANGEN"); Mod_Tom_Boese = FALSE; B_LogEntry (TOPIC_MOD_TOMSFREUND, "Ich hab Tom bei Lord Andre verpfiffen."); B_SetTopicStatus (TOPIC_MOD_TOMSFREUND, LOG_FAILED); Info_ClearChoices (Info_Mod_Andre_Kopfgeld); B_Göttergefallen(1, 1); Mod_AlvaresAndre_Taeter = 1; }; FUNC VOID Info_Mod_Andre_Kopfgeld_Nagur() { AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Nagur_15_00"); //Nagur will den Novizen Akahasch tot sehen und hat einen Auftragsmörder geschickt. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Nagur_40_01"); //Das werden wir zu verhindern wissen. Danke für deine Hilfe. B_GiveInvITems (self, hero, ItMi_Gold, 100); B_GivePlayerXP (100); AI_Teleport (Mod_743_NONE_Nagur_NW, "NW_CITY_HABOUR_KASERN_HALVOR"); B_StartOtherRoutine (Mod_743_NONE_Nagur_NW, "GEFANGEN"); B_LogEntry (TOPIC_MOD_ASS_AUFNAHME, "Ich hab Nagur bei Lord Andre verpfiffen."); B_SetTopicStatus (TOPIC_MOD_ASS_AUFNAHME, LOG_FAILED); Info_ClearChoices (Info_Mod_Andre_Kopfgeld); B_Göttergefallen(1, 1); Nagur_KillAkahasch = 2; Mod_AlvaresAndre_Taeter = 1; }; FUNC VOID Info_Mod_Andre_Kopfgeld_Meldor() { AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Meldor_15_00"); //Meldor hat Sumpfkraut, welches er illegal verkauft. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Meldor_40_01"); //Hast du dafür auch Beweise? AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Meldor_15_02"); //Dieses Paket Sumpfkraut sollte ich für ihn verschwinden lassen. B_GiveInvItems (hero, self, ItMi_HerbPaket, 1); AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Meldor_40_03"); //Das ist ausreichend. Hier hast du deine Belohnung. B_GiveInvITems (self, hero, ItMi_Gold, 100); B_GivePlayerXP (100); Mod_MeldorVerpfiffen = 1; AI_Teleport (Mod_597_NONE_Meldor_NW, "NW_CITY_HABOUR_KASERN_HALVOR"); B_StartOtherRoutine (Mod_597_NONE_Meldor_NW, "GEFANGEN"); B_LogEntry (TOPIC_MOD_MELDOR_PAKET, "Ich hab Meldor bei Lord Andre verpfiffen."); B_SetTopicStatus (TOPIC_MOD_MELDOR_PAKET, LOG_FAILED); Info_ClearChoices (Info_Mod_Andre_Kopfgeld); B_Göttergefallen(1, 1); Mod_AlvaresAndre_Taeter = 1; }; FUNC VOID Info_Mod_Andre_Kopfgeld_Gerbrandt() { AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Gerbrandt_15_00"); //Gerbrandt, Valentino, Cornelius und Fernando haben Dreck am Stecken. Beweise habe ich dabei. B_GiveInvItems (hero, self, ItWr_AL_GebrandtDokumente, 1); B_UseFakeScroll (); AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Gerbrandt_40_01"); //Gut, wir werden sie sofort festnehmen. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Gerbrandt_40_02"); //Hier hast du deine Belohnung. B_GiveInvITems (self, hero, ItMi_Gold, 300); B_GivePlayerXP (300); AI_Teleport (Mod_576_NONE_Fernando_NW, "NW_CITY_HABOUR_KASERN_HALVOR"); B_StartOtherRoutine (Mod_576_NONE_Fernando_NW, "GEFANGEN"); AI_Teleport (Mod_578_NONE_Gerbrandt_NW, "NW_CITY_HABOUR_KASERN_HALVOR"); B_StartOtherRoutine (Mod_578_NONE_Gerbrandt_NW, "GEFANGEN"); AI_Teleport (Mod_754_NONE_Valentino_NW, "NW_CITY_HABOUR_KASERN_HALVOR"); B_StartOtherRoutine (Mod_754_NONE_Valentino_NW, "GEFANGEN"); B_LogEntry (TOPIC_MOD_AL_MORGAHARD, "Lord Andre hat alle Mitglieder der Bande festnehmen lassen. Nun sollte ich mich mit Diego unterhalten."); Info_ClearChoices (Info_Mod_Andre_Kopfgeld); B_Göttergefallen(1, 2); Mod_AL_Gebrandt_Gefangen = TRUE; Mod_AlvaresAndre_Taeter = 1; B_StartOtherRoutine (Mod_588_WNOV_Joe_NW, "DIEGO"); }; FUNC VOID Info_Mod_Andre_Kopfgeld_Kardif() { AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Kardif_15_00"); //Kardif hat Rukhar beauftragt eine Lieferung Wacholder von Coragon zu stehlen. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Kardif_40_01"); //Hast du für diese Anschuldigung auch einen Beweis? AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Kardif_15_02"); //Hier, dieses Schreiben hatte Rukhar bei sich. B_GiveInvItems (hero, self, ItWr_Rukhar_Wacholder, 1); B_UseFakeScroll (); AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Kardif_40_03"); //Gut, wir werden die Verhaftung veranlassen. Hier hast du das Kopfgeld. B_GiveInvITems (self, hero, ItMi_Gold, 100); B_GivePlayerXP (100); AI_Teleport (Mod_590_NONE_Kardif_NW, "NW_CITY_HABOUR_KASERN_HALVOR"); B_StartOtherRoutine (Mod_590_NONE_Kardif_NW, "GEFANGEN"); B_LogEntry (TOPIC_MOD_CORAGON_WACHOLDER, "Kardif sitzt jetzt im Knast. Jetzt sollte ich zu Coragon gehen und ihm davon berichten."); Mod_KnowsRukharWacholder = 6; Info_ClearChoices (Info_Mod_Andre_Kopfgeld); B_Göttergefallen(1, 1); Mod_AlvaresAndre_Taeter = 1; }; FUNC VOID Info_Mod_Andre_Kopfgeld_Kardif2() { AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Kardif2_15_00"); //Kardif hat Nagur und seiner Bande dabei geholfen mir eine Falle zu stellen. AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Kardif2_15_01"); //Nagur hatte schon den Novizen Akahasch auf dem Gewissen und ich konnte mich nur mit Mühe meines Lebens erwehren. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Kardif2_40_02"); //Was?! Wo ist dieser Verbrecher jetzt? AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Kardif2_15_03"); //Nagur hat sich mit dem Falschen angelegt. Er wird keinen Ärger mehr machen. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Kardif2_40_04"); //Da bin ich erleichtert. Ich hatte doch geahnt, dass es keine gute Idee war ihn laufen zu lassen ... aber die Gesetze der Stadt haben es nun mal verlangt, nachdem er seine Strafe verbüßt hatte. AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Kardif2_15_05"); //Kardif scheint außerdem mit Schmugglern gemeinsame Sache zu machen, die ihre Sachen in den Kisten und Fässern im Hafenviertel verstecken. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Kardif2_40_06"); //So ist das also. Ich werde meine Männer sofort alle Kisten durchsuchen lassen. Und dieser delinquente Kardif wird seine gerechte Strafe bekommen. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Kardif2_40_07"); //Jedenfalls hast du dabei geholfen, dem Verbrechen in dieser Stadt einen empfindlichen Schlag zu verpassen. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Kardif2_40_08"); //Dir steht damit eine größere Belohnung aus unserer Stadtkasse zu. B_GiveInvItems (self, hero, ItMi_Gold, 500); AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Kardif2_40_09"); //Innos begleite dich auf deinen weiteren Wegen. AI_Teleport (Mod_590_NONE_Kardif_NW, "NW_CITY_HABOUR_KASERN_HALVOR"); B_StartOtherRoutine (Mod_590_NONE_Kardif_NW, "GEFANGEN"); Info_ClearChoices (Info_Mod_Andre_Kopfgeld); B_Göttergefallen(1, 1); Mod_AlvaresAndre_Taeter = 1; Nagur_KillAkahasch = 7; }; FUNC VOID Info_Mod_Andre_Kopfgeld_Den() { AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Den_15_00"); //Den will Rangar in Verruf bringen. Er scheint eifersüchtig auf ihn zu sein. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Den_40_01"); //Den von der Miliz? AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Den_15_02"); //Ja. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Den_40_03"); //So ein Verhalten kann ich bei der Miliz nicht dulden. Ich werde ihn rauswerfen. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Den_40_04"); //Hier ist eine kleine Belohnung für dich. B_GiveInvITems (self, hero, ItMi_Gold, 50); B_GivePlayerXP (50); B_StartOtherRoutine (Mod_969_MIL_Den_NW, "NOMILIZ"); AI_UnequipArmor (Mod_969_MIL_Den_NW); Mod_DenVerpfiffen = 1; Npc_RemoveInvItems (Mod_969_MIL_Den_NW, ItAr_Mil_L, 1); CreateInvItems (Mod_969_MIL_Den_NW, ItAr_Bau_L, 1); AI_EquipBestArmor (Mod_969_MIL_Den_NW); B_LogEntry (TOPIC_MOD_DENSPROBLEM, "Ich hab Den bei Lord Andre verpfiffen."); B_SetTopicStatus (TOPIC_MOD_DENSPROBLEM, LOG_FAILED); Info_ClearChoices (Info_Mod_Andre_Kopfgeld); B_Göttergefallen(1, 1); Mod_AlvaresAndre_Taeter = 1; CurrentNQ += 1; }; FUNC VOID Info_Mod_Andre_Kopfgeld_Wilfried() { AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Wilfried_15_00"); //Der Bürger Wilfried war ein Betrüger. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Wilfried_40_01"); //War? AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Wilfried_15_02"); //Ich habe ihn zur Strecke gebracht. Es war Notwehr. AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Wilfried_40_03"); //Hast du Beweise? AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Wilfried_15_04"); //Ja, die habe ich. Npc_RemoveInvItems (hero, ItWr_WilfriedsListe, 1); Npc_RemoveInvItems (hero, ItMi_Gold, 500); B_ShowGivenThings("Liste und 500 Gold gegeben"); B_UseFakeScroll (); AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Wilfried_40_05"); //(unmotiviert) Glückwunsch. Das hast du ganz toll gemacht. AI_Output(hero, self, "Info_Mod_Andre_Kopfgeld_Wilfried_15_06"); //Bekomme ich noch eine Belohnung? AI_Output(self, hero, "Info_Mod_Andre_Kopfgeld_Wilfried_40_07"); //Nicht von mir. Aber frag' doch die Geschädigten. B_GivePlayerXP (300); Mod_WilfriedsQuest = 8; B_SetTopicStatus (TOPIC_MOD_WILFRIED_GOLD, LOG_SUCCESS); Mod_AlvaresAndre_Taeter = 1; CurrentNQ += 1; }; INSTANCE Info_Mod_Andre_Pickpocket (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_Pickpocket_Condition; information = Info_Mod_Andre_Pickpocket_Info; permanent = 1; important = 0; description = Pickpocket_210; }; FUNC INT Info_Mod_Andre_Pickpocket_Condition() { C_Beklauen (199, ItMi_Gold, 175); }; FUNC VOID Info_Mod_Andre_Pickpocket_Info() { Info_ClearChoices (Info_Mod_Andre_Pickpocket); Info_AddChoice (Info_Mod_Andre_Pickpocket, DIALOG_BACK, Info_Mod_Andre_Pickpocket_BACK); Info_AddChoice (Info_Mod_Andre_Pickpocket, DIALOG_PICKPOCKET, Info_Mod_Andre_Pickpocket_DoIt); }; FUNC VOID Info_Mod_Andre_Pickpocket_BACK() { Info_ClearChoices (Info_Mod_Andre_Pickpocket); }; FUNC VOID Info_Mod_Andre_Pickpocket_DoIt() { if (B_Beklauen() == TRUE) { Info_ClearChoices (Info_Mod_Andre_Pickpocket); } else { Info_ClearChoices (Info_Mod_Andre_Pickpocket); Info_AddChoice (Info_Mod_Andre_Pickpocket, DIALOG_PP_BESCHIMPFEN, Info_Mod_Andre_Pickpocket_Beschimpfen); Info_AddChoice (Info_Mod_Andre_Pickpocket, DIALOG_PP_BESTECHUNG, Info_Mod_Andre_Pickpocket_Bestechung); Info_AddChoice (Info_Mod_Andre_Pickpocket, DIALOG_PP_HERAUSREDEN, Info_Mod_Andre_Pickpocket_Herausreden); }; }; FUNC VOID Info_Mod_Andre_Pickpocket_Beschimpfen() { B_Say (hero, self, "$PICKPOCKET_BESCHIMPFEN"); B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_Andre_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); }; FUNC VOID Info_Mod_Andre_Pickpocket_Bestechung() { B_Say (hero, self, "$PICKPOCKET_BESTECHUNG"); var int rnd; rnd = r_max(99); if (rnd < 25) || ((rnd >= 25) && (rnd < 50) && (Npc_HasItems(hero, ItMi_Gold) < 50)) || ((rnd >= 50) && (rnd < 75) && (Npc_HasItems(hero, ItMi_Gold) < 100)) || ((rnd >= 75) && (rnd < 100) && (Npc_HasItems(hero, ItMi_Gold) < 200)) { B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_Andre_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); } else { if (rnd >= 75) { B_GiveInvItems (hero, self, ItMi_Gold, 200); } else if (rnd >= 50) { B_GiveInvItems (hero, self, ItMi_Gold, 100); } else if (rnd >= 25) { B_GiveInvItems (hero, self, ItMi_Gold, 50); }; B_Say (self, hero, "$PICKPOCKET_BESTECHUNG_01"); Info_ClearChoices (Info_Mod_Andre_Pickpocket); AI_StopProcessInfos (self); }; }; FUNC VOID Info_Mod_Andre_Pickpocket_Herausreden() { B_Say (hero, self, "$PICKPOCKET_HERAUSREDEN"); if (r_max(99) < Mod_Verhandlungsgeschick) { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_01"); Info_ClearChoices (Info_Mod_Andre_Pickpocket); } else { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_02"); }; }; INSTANCE Info_Mod_Andre_EXIT (C_INFO) { npc = Mod_540_PAL_Andre_NW; nr = 1; condition = Info_Mod_Andre_EXIT_Condition; information = Info_Mod_Andre_EXIT_Info; permanent = 1; important = 0; description = DIALOG_ENDE; }; FUNC INT Info_Mod_Andre_EXIT_Condition() { return 1; }; FUNC VOID Info_Mod_Andre_EXIT_Info() { AI_StopProcessInfos (self); };
D
/Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/HTTP.build/Serializer/RequestSerializer.swift.o : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TCPServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TLSServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response+Redirect.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/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/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/HTTP.build/RequestSerializer~partial.swiftmodule : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TCPServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TLSServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response+Redirect.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/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/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/HTTP.build/RequestSerializer~partial.swiftdoc : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TCPServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TLSServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response+Redirect.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/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/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
module cppmangle2; extern(C++, Namespace18922) { struct Struct18922 { int i; } } extern(C++, std) { struct vector (T); } extern(C++, `Namespace18922`) { struct Struct18922 { int i; } } extern(C++, `std`) { struct vector (T); }
D
/Volumes/IDrive/rCore-Tutorial/os/target/debug/deps/librustversion-a5ba73e338f89e75.dylib: /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/lib.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/attr.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/bound.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/date.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/expr.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/time.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/version.rs /Volumes/IDrive/rCore-Tutorial/os/target/debug/build/rustversion-f7c49d8586bee932/out/version.rs /Volumes/IDrive/rCore-Tutorial/os/target/debug/deps/rustversion-a5ba73e338f89e75.d: /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/lib.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/attr.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/bound.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/date.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/expr.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/time.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/version.rs /Volumes/IDrive/rCore-Tutorial/os/target/debug/build/rustversion-f7c49d8586bee932/out/version.rs /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/lib.rs: /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/attr.rs: /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/bound.rs: /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/date.rs: /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/expr.rs: /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/time.rs: /Users/apple/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rustversion-1.0.3/src/version.rs: /Volumes/IDrive/rCore-Tutorial/os/target/debug/build/rustversion-f7c49d8586bee932/out/version.rs: # env-dep:OUT_DIR=/Volumes/IDrive/rCore-Tutorial/os/target/debug/build/rustversion-f7c49d8586bee932/out
D
Long: cacert Arg: <file> Help: CA certificate to verify peer against Protocols: TLS Category: tls See-also: capath insecure Example: --cacert CA-file.txt $URL Added: 7.5 --- Tells curl to use the specified certificate file to verify the peer. The file may contain multiple CA certificates. The certificate(s) must be in PEM format. Normally curl is built to use a default file for this, so this option is typically used to alter that default file. curl recognizes the environment variable named 'CURL_CA_BUNDLE' if it is set, and uses the given path as a path to a CA cert bundle. This option overrides that variable. The windows version of curl will automatically look for a CA certs file named 'curl-ca-bundle.crt', either in the same directory as curl.exe, or in the Current Working Directory, or in any folder along your PATH. If curl is built against the NSS SSL library, the NSS PEM PKCS#11 module (libnsspem.so) needs to be available for this option to work properly. (iOS and macOS only) If curl is built against Secure Transport, then this option is supported for backward compatibility with other SSL engines, but it should not be set. If the option is not set, then curl will use the certificates in the system and user Keychain to verify the peer, which is the preferred method of verifying the peer's certificate chain. (Schannel only) This option is supported for Schannel in Windows 7 or later with libcurl 7.60 or later. This option is supported for backward compatibility with other SSL engines; instead it is recommended to use Windows' store of root certificates (the default for Schannel). If this option is used several times, the last one will be used.
D
/Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/PopupDialog.build/Objects-normal/x86_64/InteractiveTransition.o : /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/InteractiveTransition.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialog+Keyboard.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialog.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogButton.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogContainerView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogDefaultButtons.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogDefaultView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogDefaultViewController.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogOverlayView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PresentationController.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PresentationManager.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TransitionAnimations.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TransitionAnimator.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZSpacerView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZStackView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZStackViewAlignment.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZStackViewDistribution.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/UIImageView+Calculations.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/UIView+Animations.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/UIViewController+Visibility.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/FXBlurView.h /Users/sol369/Desktop/InstaPics/Pods/Target\ Support\ Files/PopupDialog/PopupDialog-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/PopupDialog.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/PopupDialog.build/Objects-normal/x86_64/InteractiveTransition~partial.swiftmodule : /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/InteractiveTransition.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialog+Keyboard.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialog.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogButton.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogContainerView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogDefaultButtons.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogDefaultView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogDefaultViewController.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogOverlayView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PresentationController.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PresentationManager.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TransitionAnimations.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TransitionAnimator.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZSpacerView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZStackView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZStackViewAlignment.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZStackViewDistribution.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/UIImageView+Calculations.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/UIView+Animations.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/UIViewController+Visibility.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/FXBlurView.h /Users/sol369/Desktop/InstaPics/Pods/Target\ Support\ Files/PopupDialog/PopupDialog-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/PopupDialog.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/PopupDialog.build/Objects-normal/x86_64/InteractiveTransition~partial.swiftdoc : /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/InteractiveTransition.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialog+Keyboard.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialog.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogButton.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogContainerView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogDefaultButtons.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogDefaultView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogDefaultViewController.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PopupDialogOverlayView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PresentationController.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/PresentationManager.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TransitionAnimations.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TransitionAnimator.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZSpacerView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZStackView.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZStackViewAlignment.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/TZStackView/TZStackViewDistribution.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/UIImageView+Calculations.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/UIView+Animations.swift /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/UIViewController+Visibility.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/PopupDialog/PopupDialog/Classes/FXBlurView.h /Users/sol369/Desktop/InstaPics/Pods/Target\ Support\ Files/PopupDialog/PopupDialog-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/PopupDialog.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
D
// Copyright 2019, University of Freiburg. // Chair of Algorithms and Data Structures. // Markus Näther <naetherm@informatik.uni-freiburg.de> module dgenerator.errors; public { import dgenerator.errors.error; import dgenerator.errors.nop; import dgenerator.errors.insert; }
D
enum E { AAA = S.BBB } struct S { enum SZAQ = E.AAA; enum BBB = 8080; }
D
module hunt.wechat.bean.message.preview.TextPreview; import hunt.collection.HashMap; import hunt.collection.Map; class TextPreview : Preview{ private Map!(string,string) text = new HashMap!(string,string)(); public this(){ } public this(string content) { super(); this.setMsgtype("text"); text.put("content", content); } public Map!(string, string) getText() { return text; } public void setText(Map!(string, string) text) { this.text = text; } }
D
/******************************************************************************* copyright: Copyright (c) 2005 John Chapman. Все права защищены license: BSD стиль: $(LICENSE) version: Jan 2005: начальное release Mar 2009: выкиньed из_ локаль, и преобразованый в_ a struct author: John Chapman, Kris, mwarning Support for formatting дата/время значения, in a локаль-specific manner. See МестнДатаВремя.форматируй() for a descrИПtion on как formatting is performed (below). Reference линки: --- http://www.opengroup.org/onlinepubs/007908799/xsh/strftime.html http://msdn.microsoft.com/en-us/library/system.globalization.datetimeformatinfo(VS.71).aspx --- ******************************************************************************/ module text.convert.DateTime; private import exception; private import time.WallClock; private import time.chrono.Calendar, time.chrono.Gregorian; private import Utf = text.convert.Utf; private import Целое = text.convert.Integer; version (СРасширениями) private import text.convert.Extentions; /****************************************************************************** O/S specifics ******************************************************************************/ version (Windows) private import sys.Common; else { private import stringz; private import rt.core.stdc.posix.langinfo; } /****************************************************************************** The default МестнДатаВремя экземпляр ******************************************************************************/ public МестнДатаВремя ДефДатаВремя; static this() { ДефДатаВремя = МестнДатаВремя.создай; version (СРасширениями) { Расширения8.добавь (typeid(Время), &ДефДатаВремя.мост!(сим)); Расширения16.добавь (typeid(Время), &ДефДатаВремя.мост!(шим)); Расширения32.добавь (typeid(Время), &ДефДатаВремя.мост!(дим)); } } /****************************************************************************** How в_ форматируй локаль-specific дата/время вывод ******************************************************************************/ struct МестнДатаВремя { static ткст образецРФС1123 = "ddd, dd MMM yyyy HH':'mm':'ss 'GMT'"; static ткст сортируемыйОбразецДатыВремени = "yyyy'-'MM'-'dd'T'HH':'mm':'ss"; static ткст универсальныйСортируемыйОбразецДатыВремени = "yyyy'-'MM'-'dd' 'HH':'mm':'ss'Z'"; Календарь назначенныйКалендарь; ткст краткийОбразецДаты, краткийОбразецВремени, длинныйОбразецДаты, длинныйОбразецВремени, полныйОбразецДатыВремени, общКраткийОбразецВремени, общДлинныйОбразецВремени, образецДняМесяца, образецМесяцаГода; ткст определительДоПолудня, определительПослеПолудня; ткст разделительВремени, разделительДаты; ткст[] именаДней, именаМесяцев, сокращённыеИменаДней, сокращённыеИменаМесяцев; /********************************************************************** Формат the given Время значение преобр_в the предоставленный вывод, using the specified выкладка. The выкладка can be a генерный variant or a custom one, where generics are indicated via a single character: <pre> "t" = 7:04 "T" = 7:04:02 PM "d" = 3/30/2009 "D" = Понедельник, March 30, 2009 "f" = Понедельник, March 30, 2009 7:04 PM "F" = Понедельник, March 30, 2009 7:04:02 PM "g" = 3/30/2009 7:04 PM "G" = 3/30/2009 7:04:02 PM "y" "Y" = March, 2009 "r" "R" = Mon, 30 Mar 2009 19:04:02 GMT "s" = 2009-03-30T19:04:02 "u" = 2009-03-30 19:04:02Z </pre> For the US локаль, these генерный layouts are expanded in the following manner: <pre> "t" = "h:mm" "T" = "h:mm:ss tt" "d" = "M/d/yyyy" "D" = "dddd, MMMM d, yyyy" "f" = "dddd, MMMM d, yyyy h:mm tt" "F" = "dddd, MMMM d, yyyy h:mm:ss tt" "g" = "M/d/yyyy h:mm tt" "G" = "M/d/yyyy h:mm:ss tt" "y" "Y" = "MMMM, yyyy" "r" "R" = "ddd, dd MMM yyyy HH':'mm':'ss 'GMT'" "s" = "yyyy'-'MM'-'dd'T'HH':'mm':'ss" "u" = "yyyy'-'MM'-'dd' 'HH':'mm':'ss'Z'" </pre> Custom layouts are constructed using a combination of the character codes indicated on the right, above. For example, a выкладка of "dddd, dd MMM yyyy HH':'mm':'ss zzzz" will излей something like this: --- Понедельник, 30 Mar 2009 19:04:02 -08:00 --- Using these форматируй indicators with Выкладка (Стдвыв etc) is straightforward. Formatting целыйs, for example, is готово like so: --- Стдвыв.форматнс ("{:u}", 5); Стдвыв.форматнс ("{:b}", 5); Стдвыв.форматнс ("{:x}", 5); --- Formatting дата/время значения is similar, where the форматируй indicators are предоставленный after the colon: --- Стдвыв.форматнс ("{:t}", Часы.сейчас); Стдвыв.форматнс ("{:D}", Часы.сейчас); Стдвыв.форматнс ("{:dddd, dd MMMM yyyy HH:mm}", Часы.сейчас); --- **********************************************************************/ ткст форматируй (ткст вывод, Время датаВремя, ткст выкладка) { // default в_ general форматируй if (выкладка.length is 0) выкладка = "G"; // might be one of our shortcuts if (выкладка.length is 1) выкладка = разверниИзвестныйФормат (выкладка); auto рез=Результат(вывод); return форматируйОсобо (рез, датаВремя, выкладка); } /********************************************************************** **********************************************************************/ T[] шФормат(T) (T[] вывод, Время датаВремя, T[] фмт) { static if (is (T == сим)) return форматируй (вывод, датаВремя, фмт); else { сим[128] tmp0 =void; сим[128] tmp1 =void; return Utf.изТкст8(форматируй(tmp0, датаВремя, Utf.вТкст(фмт, tmp1)), вывод); } } /********************************************************************** Return a генерный English/US экземпляр **********************************************************************/ static МестнДатаВремя* генерный () { return &RuRU; } /********************************************************************** Return the назначено Календарь экземпляр, using Грегориан as the default **********************************************************************/ Календарь календарь () { if (назначенныйКалендарь is пусто) назначенныйКалендарь = Грегориан.генерный; return назначенныйКалендарь; } /********************************************************************** Return a крат день имя **********************************************************************/ ткст сокращённоеИмяДня (Календарь.ДеньНедели деньНедели) { return сокращённыеИменаДней [cast(цел) деньНедели]; } /********************************************************************** Return a дол день имя **********************************************************************/ ткст имяДня (Календарь.ДеньНедели деньНедели) { return именаДней [cast(цел) деньНедели]; } /********************************************************************** Return a крат месяц имя **********************************************************************/ ткст сокращённоеИмяМесяца (цел месяц) { assert (месяц > 0 && месяц < 13); return сокращённыеИменаМесяцев [месяц - 1]; } /********************************************************************** Return a дол месяц имя **********************************************************************/ ткст имяМесяца (цел месяц) { assert (месяц > 0 && месяц < 13); return именаМесяцев [месяц - 1]; } version (Windows) { /********************************************************************** создай и наполни an экземпляр via O/S configuration for the текущ пользователь **********************************************************************/ static МестнДатаВремя создай () { static ткст вТкст (ткст приёмн, LCID опр, LCTYPE тип) { шим[256] wide =void; auto длин = GetLocaleInfoW (опр, тип, пусто, 0); if (длин && длин < wide.length) { GetLocaleInfoW (опр, тип, wide.ptr, wide.length); длин = WideCharToMultiByte (CP_UTF8, 0, wide.ptr, длин-1, cast(PCHAR)приёмн.ptr, приёмн.length, пусто, пусто); return приёмн [0..длин].dup; } throw new Исключение ("ДатаВремя :: GetLocaleInfo неудачно"); } МестнДатаВремя dt; сим[256] врем =void; auto lcid = LOCALE_USER_DEFAULT; for (auto i=LOCALE_SDAYNAME1; i <= LOCALE_SDAYNAME7; ++i) dt.именаДней ~= вТкст (врем, lcid, i); for (auto i=LOCALE_SABBREVDAYNAME1; i <= LOCALE_SABBREVDAYNAME7; ++i) dt.сокращённыеИменаДней ~= вТкст (врем, lcid, i); for (auto i=LOCALE_SMONTHNAME1; i <= LOCALE_SMONTHNAME12; ++i) dt.именаМесяцев ~= вТкст (врем, lcid, i); for (auto i=LOCALE_SABBREVMONTHNAME1; i <= LOCALE_SABBREVMONTHNAME12; ++i) dt.сокращённыеИменаМесяцев ~= вТкст (врем, lcid, i); dt.разделительДаты = вТкст (врем, lcid, LOCALE_SDATE); dt.разделительВремени = вТкст (врем, lcid, LOCALE_STIME); dt.определительДоПолудня = вТкст (врем, lcid, LOCALE_S1159); dt.определительПослеПолудня = вТкст (врем, lcid, LOCALE_S2359); dt.длинныйОбразецДаты = вТкст (врем, lcid, LOCALE_SLONGDATE); dt.краткийОбразецДаты = вТкст (врем, lcid, LOCALE_SSHORTDATE); dt.образецМесяцаГода = вТкст (врем, lcid, LOCALE_SYEARMONTH); dt.длинныйОбразецВремени = вТкст (врем, lcid, LOCALE_STIMEFORMAT); // synthesize a крат время auto s = dt.краткийОбразецВремени = dt.длинныйОбразецВремени; for (auto i=s.length; i--;) if (s[i] is dt.разделительВремени[0]) { dt.краткийОбразецВремени = s[0..i]; break; } dt.полныйОбразецДатыВремени = dt.длинныйОбразецДаты ~ " " ~ dt.длинныйОбразецВремени; dt.общДлинныйОбразецВремени = dt.краткийОбразецДаты ~ " " ~ dt.длинныйОбразецВремени; dt.общКраткийОбразецВремени = dt.краткийОбразецДаты ~ " " ~ dt.краткийОбразецВремени; return dt; } } else { /********************************************************************** создай и наполни an экземпляр via O/S configuration for the текущ пользователь **********************************************************************/ static МестнДатаВремя создай () { //выкинь разделитель static ткст откиньРазделитель(ткст стр, ткст def) { for (auto i = 0; i < стр.length; ++i) { сим c = стр[i]; if ((c == '%') || (c == ' ') || (c >= 'a' && c <= 'z') || (c >= 'A' && c <= 'Z')) continue; return стр[i..i+1].dup; } return def; } static ткст дайТкст(nl_item опр, ткст def = пусто) { сим* p = nl_langinfo(опр); return p ? изТкст0(p).dup : def; } static ткст дайТкстФормата(nl_item опр, ткст def = пусто) { ткст posix_str = дайТкст(опр, def); return преобразуй(posix_str); } МестнДатаВремя dt; for (auto i = DAY_1; i <= DAY_7; ++i) dt.именаДней ~= дайТкст (i); for (auto i = ABDAY_1; i <= ABDAY_7; ++i) dt.сокращённыеИменаДней ~= дайТкст (i); for (auto i = MON_1; i <= MON_12; ++i) dt.именаМесяцев ~= дайТкст (i); for (auto i = ABMON_1; i <= ABMON_12; ++i) dt.сокращённыеИменаМесяцев ~= дайТкст (i); dt.определительДоПолудня = дайТкст (AM_STR, "AM"); dt.определительПослеПолудня = дайТкст (PM_STR, "PM"); dt.длинныйОбразецДаты = "dddd, MMMM d, yyyy"; //default dt.краткийОбразецДаты = дайТкстФормата(D_FMT, "M/d/yyyy"); dt.длинныйОбразецВремени = дайТкстФормата(T_FMT, "h:mm:ss tt"); dt.краткийОбразецВремени = "h:mm"; //default dt.образецМесяцаГода = "MMMM, yyyy"; //no posix equivalent? dt.полныйОбразецДатыВремени = дайТкстФормата(D_T_FMT, "dddd, MMMM d, yyyy h:mm:ss tt"); dt.разделительДаты = откиньРазделитель(dt.краткийОбразецДаты, "/"); dt.разделительВремени = откиньРазделитель(dt.длинныйОбразецВремени, ":"); //выкинь краткийОбразецВремени из_ длинныйОбразецВремени for (auto i = dt.длинныйОбразецВремени.length; i--;) { if (dt.длинныйОбразецВремени[i] == dt.разделительВремени[$-1]) { dt.краткийОбразецВремени = dt.длинныйОбразецВремени[0..i]; break; } } //выкинь длинныйОбразецДаты из_ полныйОбразецДатыВремени auto поз = dt.полныйОбразецДатыВремени.length - dt.длинныйОбразецВремени.length - 2; if (поз < dt.полныйОбразецДатыВремени.length) dt.длинныйОбразецДаты = dt.полныйОбразецДатыВремени[0..поз]; dt.полныйОбразецДатыВремени = dt.длинныйОбразецДаты ~ " " ~ dt.длинныйОбразецВремени; dt.общДлинныйОбразецВремени = dt.краткийОбразецДаты ~ " " ~ dt.длинныйОбразецВремени; dt.общКраткийОбразецВремени = dt.краткийОбразецДаты ~ " " ~ dt.краткийОбразецВремени; return dt; } /********************************************************************** Convert POSIX дата время форматируй в_ .NET форматируй syntax. **********************************************************************/ private static ткст преобразуй(ткст фмт) { сим[32] возвр; т_мера длин; проц помести(ткст стр) { assert((длин+стр.length) <= возвр.length); возвр[длин..длин+стр.length] = стр; длин += стр.length; } for (auto i = 0; i < фмт.length; ++i) { сим c = фмт[i]; if (c != '%') { assert((длин+1) <= возвр.length); возвр[длин] = c; длин += 1; continue; } i++; if (i >= фмт.length) break; c = фмт[i]; switch (c) { case 'a': //локаль's abbreviated weekday имя. помести("ddd"); //The abbreviated имя of the день of the week, break; case 'A': //локаль's full weekday имя. помести("dddd"); break; case 'b': //локаль's abbreviated месяц имя помести("MMM"); break; case 'B': //локаль's full месяц имя помести("MMMM"); break; case 'd': //день of the месяц as a decimal число [01,31] помести("dd"); // The день of the месяц. Single-цифра //дни will have a leading zero. break; case 'D': //same as %m/%d/%y. помести("MM/dd/yy"); break; case 'e': //день of the месяц as a decimal число [1,31]; //a single цифра is preceded by a пространство помести("d"); //The день of the месяц. Single-цифра дни //will not have a leading zero. break; case 'h': //same as %b. помести("MMM"); break; case 'H': //час (24-час clock) as a decimal число [00,23] помести("HH"); //The час in a 24-час clock. Single-цифра //часы will have a leading zero. break; case 'I': //the час (12-час clock) as a decimal число [01,12] помести("hh"); //The час in a 12-час clock. //Single-цифра часы will have a leading zero. break; case 'm': //месяц as a decimal число [01,12] помести("MM"); //The numeric месяц. Single-цифра //месяцы will have a leading zero. break; case 'M': //минута as a decimal число [00,59] помести("mm"); //The минута. Single-цифра минуты //will have a leading zero. break; case 'n': //нс character помести("\n"); break; case 'p': //локаль's equivalent of either a.m. or p.m помести("tt"); break; case 'r': //время in a.m. и p.m. notation; //equivalent в_ %I:%M:%S %p. помести("hh:mm:ss tt"); break; case 'R': //время in 24 час notation (%H:%M) помести("HH:mm"); break; case 'S': //секунда as a decimal число [00,61] помести("ss"); //The секунда. Single-цифра сек //will have a leading zero. break; case 't': //tab character. помести("\t"); break; case 'T': //equivalent в_ (%H:%M:%S) помести("HH:mm:ss"); break; case 'u': //weekday as a decimal число [1,7], //with 1 representing Понедельник case 'U': //week число of the год //(Воскресенье as the первый день of the week) as a decimal число [00,53] case 'V': //week число of the год //(Понедельник as the первый день of the week) as a decimal число [01,53]. //If the week containing 1 January имеется four or ещё дни //in the new год, then it is consопрered week 1. //Otherwise, it is the последний week of the previous год, и the следщ week is week 1. case 'w': //weekday as a decimal число [0,6], with 0 representing Воскресенье case 'W': //week число of the год (Понедельник as the первый день of the week) //as a decimal число [00,53]. //все дни in a new год preceding the первый Понедельник //are consопрered в_ be in week 0. case 'x': //локаль's appropriate дата representation case 'X': //локаль's appropriate время representation case 'c': //локаль's appropriate дата и время representation case 'C': //century число (the год divопрed by 100 и //truncated в_ an целое) as a decimal число [00-99] case 'j': //день of the год as a decimal число [001,366] assert(0); break; case 'y': //год without century as a decimal число [00,99] помести("yy"); // The год without the century. If the год without //the century is less than 10, the год is displayed with a leading zero. break; case 'Y': //год with century as a decimal число помести("yyyy"); //The год in four цифры, включая the century. break; case 'Z': //timezone имя or abbreviation, //or by no байты if no timezone information есть_ли //assert(0); break; case '%': помести("%"); break; default: assert(0); } } return возвр[0..длин].dup; } } /********************************************************************** **********************************************************************/ private ткст разверниИзвестныйФормат (ткст формат) { ткст f; switch (формат[0]) { case 'd': f = краткийОбразецДаты; break; case 'D': f = длинныйОбразецДаты; break; case 'f': f = длинныйОбразецДаты ~ " " ~ краткийОбразецВремени; break; case 'F': f = полныйОбразецДатыВремени; break; case 'g': f = общКраткийОбразецВремени; break; case 'G': f = общДлинныйОбразецВремени; break; case 'r': case 'R': f = образецРФС1123; break; case 's': f = сортируемыйОбразецДатыВремени; break; case 'u': f = универсальныйСортируемыйОбразецДатыВремени; break; case 't': f = краткийОбразецВремени; break; case 'T': f = длинныйОбразецВремени; break; case 'y': case 'Y': f = образецМесяцаГода; break; default: return ("'{время в формате непригодно}'"); } return f; } /********************************************************************** **********************************************************************/ private ткст форматируйОсобо (ref Результат результат, Время датаВремя, ткст форматируй) { бцел длин, деньгода, деньнед, эра; бцел день, год, месяц; цел индекс; сим[10] врем =void; auto время = датаВремя.время; // выкинь дата components календарь.разбей (датаВремя, год, месяц, день, деньгода, деньнед, эра); // смети форматируй specifiers ... while (индекс < форматируй.length) { сим c = форматируй[индекс]; switch (c) { // день case 'd': длин = повториРазбор (форматируй, индекс, c); if (длин <= 2) результат ~= форматируйЦел (врем, день, длин); else результат ~= форматируйДеньНедели (cast(Календарь.ДеньНедели) деньнед, длин); break; // миллисек case 'f': длин = повториРазбор (форматируй, индекс, c); auto чис = Целое.itoa (врем, время.миллисек); if(длин > чис.length) { результат ~= чис; // добавь '0's static сим[8] zeros = '0'; auto zc = длин - чис.length; zc = (zc > zeros.length) ? zeros.length : zc; результат ~= zeros[0..zc]; } else результат ~= чис[0..длин]; break; // миллисек, no trailing zeros case 'F': длин = повториРазбор (форматируй, индекс, c); auto чис = Целое.itoa (врем, время.миллисек); auto индкс = (длин < чис.length) ? длин : чис.length; // откинь '0's while(индкс && чис[индкс-1] is '0') --индкс; результат ~= чис[0..индкс]; break; // месяц case 'M': длин = повториРазбор (форматируй, индекс, c); if (длин <= 2) результат ~= форматируйЦел (врем, месяц, длин); else результат ~= форматируйМесяц (месяц, длин); break; // год case 'y': длин = повториРазбор (форматируй, индекс, c); // Two-цифра годы for Japanese if (календарь.опр is календарь.ЯПОНСКИЙ) результат ~= форматируйЦел (врем, год, 2); else { if (длин <= 2) результат ~= форматируйЦел (врем, год % 100, длин); else результат ~= форматируйЦел (врем, год, длин); } break; // час (12-час clock) case 'h': длин = повториРазбор (форматируй, индекс, c); цел час = время.часы % 12; if (час is 0) час = 12; результат ~= форматируйЦел (врем, час, длин); break; // час (24-час clock) case 'H': длин = повториРазбор (форматируй, индекс, c); результат ~= форматируйЦел (врем, время.часы, длин); break; // минута case 'm': длин = повториРазбор (форматируй, индекс, c); результат ~= форматируйЦел (врем, время.минуты, длин); break; // секунда case 's': длин = повториРазбор (форматируй, индекс, c); результат ~= форматируйЦел (врем, время.сек, длин); break; // AM/PM case 't': длин = повториРазбор (форматируй, индекс, c); if (длин is 1) { if (время.часы < 12) { if (определительДоПолудня.length != 0) результат ~= определительДоПолудня[0]; } else { if (определительПослеПолудня.length != 0) результат ~= определительПослеПолудня[0]; } } else результат ~= (время.часы < 12) ? определительДоПолудня : определительПослеПолудня; break; // timezone смещение case 'z': длин = повториРазбор (форматируй, индекс, c); auto минуты = cast(цел) (Куранты.зона.минуты); if (минуты < 0) { минуты = -минуты; результат ~= '-'; } else результат ~= '+'; цел часы = минуты / 60; минуты %= 60; if (длин is 1) результат ~= форматируйЦел (врем, часы, 1); else if (длин is 2) результат ~= форматируйЦел (врем, часы, 2); else { результат ~= форматируйЦел (врем, часы, 2); результат ~= форматируйЦел (врем, минуты, 2); } break; // время разделитель case ':': длин = 1; результат ~= разделительВремени; break; // дата разделитель case '/': длин = 1; результат ~= разделительДаты; break; // ткст literal case '\"': case '\'': длин = разборКавычек (результат, форматируй, индекс); break; // другой default: длин = 1; результат ~= c; break; } индекс += длин; } return результат.получи; } /********************************************************************** **********************************************************************/ private ткст форматируйМесяц (цел месяц, цел rpt) { if (rpt is 3) return сокращённоеИмяМесяца (месяц); return имяМесяца (месяц); } /********************************************************************** **********************************************************************/ private ткст форматируйДеньНедели (Календарь.ДеньНедели деньНедели, цел rpt) { if (rpt is 3) return сокращённоеИмяДня (деньНедели); return имяДня (деньНедели); } /********************************************************************** **********************************************************************/ private T[] мост(T) (T[] результат, ук арг, T[] форматируй) { return шФормат (результат, *cast(Время*) арг, форматируй); } /********************************************************************** **********************************************************************/ private static цел повториРазбор(ткст форматируй, цел поз, сим c) { цел n = поз + 1; while (n < форматируй.length && форматируй[n] is c) n++; return n - поз; } /********************************************************************** **********************************************************************/ private static ткст форматируйЦел (ткст врем, цел v, цел minimum) { auto чис = Целое.itoa (врем, v); if ((minimum -= чис.length) > 0) { auto p = врем.ptr + врем.length - чис.length; while (minimum--) *--p = '0'; чис = врем [p-врем.ptr .. $]; } return чис; } /********************************************************************** **********************************************************************/ private static цел разборКавычек (ref Результат результат, ткст форматируй, цел поз) { цел старт = поз; сим chQuote = форматируй[поз++]; бул найдено; while (поз < форматируй.length) { сим c = форматируй[поз++]; if (c is chQuote) { найдено = да; break; } else if (c is '\\') { // escaped if (поз < форматируй.length) результат ~= форматируй[поз++]; } else результат ~= c; } return поз - старт; } } /****************************************************************************** An english/usa локаль Used as генерный МестнДатаВремя. ******************************************************************************/ private МестнДатаВремя RuRU = { краткийОбразецДаты : "M/d/yyyy" , краткийОбразецВремени : "h:mm" , длинныйОбразецДаты : "dddd, MMMM d, yyyy" , длинныйОбразецВремени : "h:mm:ss tt" , полныйОбразецДатыВремени : "dddd, MMMM d, yyyy h:mm:ss tt" , общКраткийОбразецВремени : "M/d/yyyy h:mm" , общДлинныйОбразецВремени : "M/d/yyyy h:mm:ss tt" , образецДняМесяца : "MMMM d" , образецМесяцаГода : "MMMM, yyyy" , определительДоПолудня : "AM" , определительПослеПолудня : "PM" , разделительВремени : ":" , разделительДаты : "/" , именаДней : ["Воскресенье", "Понедельник", "Вторник", "Среда", "Четверг", "Пятница", "Суббота"], именаМесяцев : ["Январь", "Февраль", "Март", "Апрель", "Май", "Июнь", "Июль", "Август", "Сентябрь", "Октябрь" "Ноябрь", "Декабрь"], сокращённыеИменаДней : ["Вос", "Пон", "Втр", "Срд", "Чтв", "Птн", "Сбт"], сокращённыеИменаМесяцев : ["Янв", "Фев", "Мар", "Апр", "Май", "Июн", "Июл", "Авг", "Сен", "Окт", "Ноя", "Дек"], }; /****************************************************************************** ******************************************************************************/ private struct Результат { private бцел индекс; private ткст target_; /********************************************************************** **********************************************************************/ private static Результат opCall (ткст мишень) { Результат результат; результат.target_ = мишень; return результат; } /********************************************************************** **********************************************************************/ private проц opCatAssign (ткст rhs) { auto конец = индекс + rhs.length; assert (конец < target_.length); target_[индекс .. конец] = rhs; индекс = конец; } /********************************************************************** **********************************************************************/ private проц opCatAssign (сим rhs) { assert (индекс < target_.length); target_[индекс++] = rhs; } /********************************************************************** **********************************************************************/ private ткст получи () { return target_[0 .. индекс]; } } /****************************************************************************** ******************************************************************************/ debug (ДатаВремя) { import io.Stdout; проц main() { сим[100] врем; auto время = Куранты.сейчас; auto локаль = МестнДатаВремя.создай; Стдвыв.форматнс ("d: {}", локаль.форматируй (врем, время, "d")); Стдвыв.форматнс ("D: {}", локаль.форматируй (врем, время, "D")); Стдвыв.форматнс ("f: {}", локаль.форматируй (врем, время, "f")); Стдвыв.форматнс ("F: {}", локаль.форматируй (врем, время, "F")); Стдвыв.форматнс ("g: {}", локаль.форматируй (врем, время, "g")); Стдвыв.форматнс ("G: {}", локаль.форматируй (врем, время, "G")); Стдвыв.форматнс ("r: {}", локаль.форматируй (врем, время, "r")); Стдвыв.форматнс ("s: {}", локаль.форматируй (врем, время, "s")); Стдвыв.форматнс ("t: {}", локаль.форматируй (врем, время, "t")); Стдвыв.форматнс ("T: {}", локаль.форматируй (врем, время, "T")); Стдвыв.форматнс ("y: {}", локаль.форматируй (врем, время, "y")); Стдвыв.форматнс ("u: {}", локаль.форматируй (врем, время, "u")); Стдвыв.форматнс ("@: {}", локаль.форматируй (врем, время, "@")); Стдвыв.форматнс ("{}", локаль.генерный.форматируй (врем, время, "ddd, dd MMM yyyy HH':'mm':'ss zzzz")); } }
D
/Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/TakeLast.o : /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/TakeLast~partial.swiftmodule : /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/TakeLast~partial.swiftdoc : /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap
D
interface mom_client { // set callback function for listener () public void set_callback(void function(byte* txt, ulong size, mom_client from_client) _message_acceptor); // in thread listens to the queue and calls _message_acceptor public void listener(); // sends a message to the specified queue public int send(char* routingkey, char* messagebody, bool send_more); // forward to receiving the message public char* get_message (); // return name of transport public char[] getInfo (); }
D
/Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Core.build/CoreError.swift.o : /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Data+Base64URL.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/NestedData.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Thread+Async.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Deprecated.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/NotFound.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CodableReflection/ReflectionDecodable.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CodableReflection/Decodable+Reflectable.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Reflectable.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/LosslessDataConvertible.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/File.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/MediaType.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/OptionalType.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Process+Execute.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/HeaderValue.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/DirectoryConfig.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CaseInsensitiveString.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Future+Unwrap.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/FutureEncoder.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CoreError.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/String+Utilities.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/DataCoders.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CodableReflection/ReflectionDecoders.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Exports.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Data+Hex.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/BasicKey.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/cpp_magic.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIODarwin/include/c_nio_darwin.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/c-atomics.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOLinux/include/c_nio_linux.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-zlib-support.git--4783613459776704231/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Core.build/CoreError~partial.swiftmodule : /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Data+Base64URL.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/NestedData.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Thread+Async.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Deprecated.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/NotFound.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CodableReflection/ReflectionDecodable.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CodableReflection/Decodable+Reflectable.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Reflectable.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/LosslessDataConvertible.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/File.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/MediaType.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/OptionalType.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Process+Execute.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/HeaderValue.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/DirectoryConfig.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CaseInsensitiveString.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Future+Unwrap.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/FutureEncoder.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CoreError.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/String+Utilities.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/DataCoders.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CodableReflection/ReflectionDecoders.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Exports.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Data+Hex.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/BasicKey.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/cpp_magic.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIODarwin/include/c_nio_darwin.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/c-atomics.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOLinux/include/c_nio_linux.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-zlib-support.git--4783613459776704231/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Core.build/CoreError~partial.swiftdoc : /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Data+Base64URL.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/NestedData.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Thread+Async.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Deprecated.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/NotFound.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CodableReflection/ReflectionDecodable.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CodableReflection/Decodable+Reflectable.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Reflectable.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/LosslessDataConvertible.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/File.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/MediaType.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/OptionalType.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Process+Execute.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/HeaderValue.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/DirectoryConfig.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CaseInsensitiveString.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Future+Unwrap.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/FutureEncoder.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CoreError.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/String+Utilities.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/DataCoders.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/CodableReflection/ReflectionDecoders.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Exports.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/Data+Hex.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/core.git-8539409652594754783/Sources/Core/BasicKey.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/cpp_magic.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIODarwin/include/c_nio_darwin.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOAtomics/include/c-atomics.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio.git-8756902686293799568/Sources/CNIOLinux/include/c_nio_linux.h /Users/lb/Documents/Project/LearnVapor/.build/checkouts/swift-nio-zlib-support.git--4783613459776704231/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/Users/arbibashaev/Downloads/OneTwoAnd/build/OneTwoThree.build/Debug-iphonesimulator/OneTwoThree.build/Objects-normal/x86_64/MainProvider.o : /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Service/MockDataService.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/SupportingFiles/AppDelegate.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/NSLog.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Provider/MainProvider.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/ViewController.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Common/Public/AlertHelper.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Common/Public/Strings.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Common/Public/APIRequest.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Model/Output.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Model/SecondOutput.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/arbibashaev/Downloads/OneTwoAnd/build/OneTwoThree.build/Debug-iphonesimulator/OneTwoThree.build/Objects-normal/x86_64/MainProvider~partial.swiftmodule : /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Service/MockDataService.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/SupportingFiles/AppDelegate.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/NSLog.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Provider/MainProvider.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/ViewController.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Common/Public/AlertHelper.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Common/Public/Strings.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Common/Public/APIRequest.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Model/Output.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Model/SecondOutput.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/arbibashaev/Downloads/OneTwoAnd/build/OneTwoThree.build/Debug-iphonesimulator/OneTwoThree.build/Objects-normal/x86_64/MainProvider~partial.swiftdoc : /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Service/MockDataService.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/SupportingFiles/AppDelegate.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/NSLog.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Provider/MainProvider.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/ViewController.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Common/Public/AlertHelper.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Common/Public/Strings.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Common/Public/APIRequest.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Model/Output.swift /Users/arbibashaev/Downloads/OneTwoAnd/OneTwoThree/Modules/Main/Model/SecondOutput.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
module dpgsql.Reflection; import std.string; import std.ascii : toUpper; import dpgsql.Annotations; /** * Returns all members of entity T for SELECT query */ template getTableColumns(T) { string getTableColumnsImpl() { string names = ""; foreach(i, dummy ; typeof(T.tupleof)) { enum attributes = __traits(getAttributes, T.tupleof[i]); foreach(j, UDA; attributes) { static if(is(typeof(UDA) == Column) || is(typeof(UDA) == ForeignKey)) { enum name = T.tupleof[i].stringof; enum type = typeof(T.tupleof[i]).stringof; // We check the type of the column (important for DateTime) static if(UDA.columnType == Column.Type.DateTime) { names ~= format("extract (epoch from %s) as %s,", UDA.columnName, UDA.columnName); } else { names ~= UDA.columnName ~ ','; } } } } return names; } enum getTableColumns = getTableColumnsImpl(); } /** * Returns entity T's table name */ template getTableName(T) { string getTableNameImpl() { string tableName; enum attributes = __traits(getAttributes, T); foreach(attribute; attributes) { static if(is(typeof(attribute) : Table)) { tableName = attribute.tableName; } } tableName = T.stringof.toLower(); return tableName; } enum getTableName = getTableNameImpl(); } template genEntityProperties(T) { string genEntityPropertiesImpl() { string toRet = ""; // pragma(msg, "Generating properties for " ~ T.stringof); foreach(i, dummy ; typeof(T.tupleof)) { enum attributes = __traits(getAttributes, T.tupleof[i]); foreach(j, UDA; attributes) { static if(is(typeof(UDA) == Column) || is(typeof(UDA) == ForeignKey)) { enum name = T.tupleof[i].stringof; enum type = typeof(T.tupleof[i]).stringof; toRet ~= ` @property public %TYPE get%VARUPPERCASE%() pure nothrow @safe @nogc { return this.%VARLOWERCASE%; } @property public void set%VARUPPERCASE%(%TYPE value) pure nothrow @safe @nogc { this.%VARLOWERCASE% = value; } `.replace("%TYPE", type) .replace("%VARUPPERCASE%", name[0].toUpper() ~ name[1..$]) .replace("%VARLOWERCASE%", name); } else static if(is(typeof(UDA) == OneToMany)) { enum name = T.tupleof[i].stringof; enum type = typeof(T.tupleof[i]).stringof; enum realType = type[0..type.stringof.indexOf('[') - 1]; // this.m_items = this.m_em.getRepository!Item().findBy(["character_id" : this.m_id.to!string]); toRet ~= ` @property public %TYPE%[] get%VARUPPERCASE%() { if(this.%VARLOWERCASE% == null) { import std.conv : to; this.%VARLOWERCASE% = this.m_em.getRepository!%TYPE%().findBy(["%FK%" : this.id.to!string()]); foreach(e; this.%VARLOWERCASE%) { e.set%CURRENT_T_TYPE%(this); } } return this.%VARLOWERCASE%; } @property public void set%VARUPPERCASE%(%TYPE%[] value) pure nothrow @safe @nogc { this.%VARLOWERCASE% = value; } `.replace("%TYPE%", realType) .replace("%VARUPPERCASE%", name[0].toUpper() ~ name[1..$]) .replace("%VARLOWERCASE%", name) .replace("%FK%", UDA.foreignKey) .replace("%CURRENT_T_TYPE%", T.stringof); } else static if(is(typeof(UDA) == ManyToOne)) { enum name = T.tupleof[i].stringof; enum type = typeof(T.tupleof[i]).stringof; // this.m_character = this.m_em.getRepository!Item().findBy(this.character_id); toRet ~= ` @property public %TYPE% get%TYPE%() { if(this.%VARNAME% is null) { import std.conv : to; this.%VARNAME% = this.m_em.getRepository!%TYPE%().find(this.%VARNAME%Id); } return this.%VARNAME%; } @property public void set%TYPE%(%TYPE% value) pure nothrow @safe @nogc { this.%VARNAME% = value; this.%VARNAME%Id= value.getId(); } `.replace("%TYPE%", type) .replace("%VARNAME%", name); } else static if(is(typeof(UDA) == OneToOne)) { enum name = T.tupleof[i].stringof; enum type = typeof(T.tupleof[i]).stringof; toRet ~= ` @property public %TYPE% get%VARUPPERCASE%() { if(this.%VARLOWERCASE% is null) { import std.conv : to; this.%VARLOWERCASE% = this.m_em.getRepository!%TYPE%().find(this.%FK%); } return this.%VARLOWERCASE%; } @property public void set%VARUPPERCASE%(%TYPE% value) pure nothrow @safe @nogc { this.%VARLOWERCASE% = value; } `.replace("%TYPE%", type) .replace("%VARUPPERCASE%", name[0].toUpper() ~ name[1..$]) .replace("%VARLOWERCASE%", name) .replace("%FK%", UDA.foreignKey); } } } return toRet; } enum genEntityProperties = genEntityPropertiesImpl(); }
D
/home/tardigrade/filecoin/filecoin_loans_test/filecoin-signing-tools/signer/target/rls/debug/deps/paired-dc78222115acedc1.rmeta: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/lib.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/mod.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/mod.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/chain.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/g1.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/g2.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/util.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq12.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq2.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq6.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fr.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/cofactors.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/hash_to_curve.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/hash_to_field.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/signum.rs /home/tardigrade/filecoin/filecoin_loans_test/filecoin-signing-tools/signer/target/rls/debug/deps/paired-dc78222115acedc1.d: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/lib.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/mod.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/mod.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/chain.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/g1.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/g2.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/util.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq12.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq2.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq6.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fr.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/cofactors.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/hash_to_curve.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/hash_to_field.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/signum.rs /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/lib.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/mod.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/mod.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/chain.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/g1.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/g2.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/ec/util.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq12.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq2.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fq6.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/fr.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/bls12_381/cofactors.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/hash_to_curve.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/hash_to_field.rs: /home/tardigrade/.cargo/registry/src/github.com-1ecc6299db9ec823/paired-0.20.1/src/signum.rs:
D
/Users/rosehsu/rust_learning/functionPrac/target/debug/deps/phf-aee4a6a07b525b19.rmeta: /Users/rosehsu/.cargo/registry/src/github.com-1ecc6299db9ec823/phf-0.8.0/src/lib.rs /Users/rosehsu/.cargo/registry/src/github.com-1ecc6299db9ec823/phf-0.8.0/src/map.rs /Users/rosehsu/.cargo/registry/src/github.com-1ecc6299db9ec823/phf-0.8.0/src/set.rs /Users/rosehsu/rust_learning/functionPrac/target/debug/deps/phf-aee4a6a07b525b19.d: /Users/rosehsu/.cargo/registry/src/github.com-1ecc6299db9ec823/phf-0.8.0/src/lib.rs /Users/rosehsu/.cargo/registry/src/github.com-1ecc6299db9ec823/phf-0.8.0/src/map.rs /Users/rosehsu/.cargo/registry/src/github.com-1ecc6299db9ec823/phf-0.8.0/src/set.rs /Users/rosehsu/.cargo/registry/src/github.com-1ecc6299db9ec823/phf-0.8.0/src/lib.rs: /Users/rosehsu/.cargo/registry/src/github.com-1ecc6299db9ec823/phf-0.8.0/src/map.rs: /Users/rosehsu/.cargo/registry/src/github.com-1ecc6299db9ec823/phf-0.8.0/src/set.rs:
D
/Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/AuthenticationInterceptor.o : /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/MultipartFormData.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/MultipartUpload.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AlamofireExtended.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Protected.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/HTTPMethod.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Combine.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Result+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Response.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/SessionDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ParameterEncoding.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Session.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Validation.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ResponseSerialization.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RequestTaskMap.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ParameterEncoder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RedirectHandler.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AFError.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/EventMonitor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RequestInterceptor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Notifications.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/HTTPHeaders.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Request.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RetryPolicy.swift /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/haruna/Documents/iOSdev/yelpy/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.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.7.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/AuthenticationInterceptor~partial.swiftmodule : /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/MultipartFormData.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/MultipartUpload.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AlamofireExtended.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Protected.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/HTTPMethod.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Combine.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Result+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Response.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/SessionDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ParameterEncoding.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Session.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Validation.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ResponseSerialization.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RequestTaskMap.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ParameterEncoder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RedirectHandler.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AFError.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/EventMonitor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RequestInterceptor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Notifications.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/HTTPHeaders.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Request.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RetryPolicy.swift /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/haruna/Documents/iOSdev/yelpy/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.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.7.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/AuthenticationInterceptor~partial.swiftdoc : /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/MultipartFormData.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/MultipartUpload.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AlamofireExtended.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Protected.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/HTTPMethod.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Combine.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Result+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Response.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/SessionDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ParameterEncoding.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Session.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Validation.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ResponseSerialization.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RequestTaskMap.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ParameterEncoder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RedirectHandler.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AFError.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/EventMonitor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RequestInterceptor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Notifications.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/HTTPHeaders.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Request.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RetryPolicy.swift /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/haruna/Documents/iOSdev/yelpy/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.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.7.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/AuthenticationInterceptor~partial.swiftsourceinfo : /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/MultipartFormData.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/MultipartUpload.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AlamofireExtended.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Protected.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/HTTPMethod.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Combine.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Result+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Alamofire.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Response.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/SessionDelegate.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ParameterEncoding.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Session.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Validation.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ResponseSerialization.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RequestTaskMap.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/ParameterEncoder.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RedirectHandler.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AFError.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/EventMonitor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RequestInterceptor.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Notifications.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/HTTPHeaders.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/Request.swift /Users/haruna/Documents/iOSdev/yelpy/Pods/Alamofire/Source/RetryPolicy.swift /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/haruna/Documents/iOSdev/yelpy/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/haruna/Documents/iOSdev/yelpy/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.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.7.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.7.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
module godot.os; import std.meta : AliasSeq, staticIndexOf; import std.traits : Unqual; import godot.d.meta; import godot.core; import godot.c; import godot.d.bind; import godot.object; import godot.image; @GodotBaseClass struct OSSingleton { static immutable string _GODOT_internal_name = "_OS"; public: static typeof(this) _GODOT_singleton() { static immutable char* _GODOT_singleton_name = "_OS"; static typeof(this) _GODOT_singleton_ptr; if(_GODOT_singleton_ptr == null) _GODOT_singleton_ptr = cast(typeof(this))godot_global_get_singleton(cast(char*)_GODOT_singleton_name); return _GODOT_singleton_ptr; } union { godot_object _godot_object; GodotObject base; } alias base this; alias BaseClasses = AliasSeq!(typeof(base), typeof(base).BaseClasses); bool opEquals(in OSSingleton other) const { return _godot_object.ptr is other._godot_object.ptr; } OSSingleton opAssign(T : typeof(null))(T n) { _godot_object.ptr = null; } bool opEquals(typeof(null) n) const { return _godot_object.ptr is null; } mixin baseCasts; static OSSingleton _new() { static godot_class_constructor constructor; if(constructor is null) constructor = godot_get_class_constructor("_OS"); if(constructor is null) return typeof(this).init; return cast(OSSingleton)(constructor()); } enum SystemDir : int { SYSTEM_DIR_DCIM = 1, SYSTEM_DIR_PICTURES = 6, SYSTEM_DIR_DOCUMENTS = 2, SYSTEM_DIR_DESKTOP = 0, SYSTEM_DIR_MOVIES = 4, SYSTEM_DIR_MUSIC = 5, SYSTEM_DIR_RINGTONES = 7, SYSTEM_DIR_DOWNLOADS = 3, } enum ScreenOrientation : int { SCREEN_ORIENTATION_SENSOR = 6, SCREEN_ORIENTATION_REVERSE_LANDSCAPE = 2, SCREEN_ORIENTATION_PORTRAIT = 1, SCREEN_ORIENTATION_REVERSE_PORTRAIT = 3, SCREEN_ORIENTATION_LANDSCAPE = 0, SCREEN_ORIENTATION_SENSOR_LANDSCAPE = 4, SCREEN_ORIENTATION_SENSOR_PORTRAIT = 5, } enum PowerState : int { POWERSTATE_CHARGING = 3, POWERSTATE_ON_BATTERY = 1, POWERSTATE_UNKNOWN = 0, POWERSTATE_NO_BATTERY = 2, POWERSTATE_CHARGED = 4, } enum Month : int { MONTH_OCTOBER = 10, MONTH_JULY = 7, MONTH_MARCH = 3, MONTH_JANUARY = 1, MONTH_JUNE = 6, MONTH_MAY = 5, MONTH_SEPTEMBER = 9, MONTH_NOVEMBER = 11, MONTH_FEBRUARY = 2, MONTH_AUGUST = 8, MONTH_DECEMBER = 12, MONTH_APRIL = 4, } enum Weekday : int { DAY_FRIDAY = 5, DAY_TUESDAY = 2, DAY_THURSDAY = 4, DAY_WEDNESDAY = 3, DAY_MONDAY = 1, DAY_SUNDAY = 0, DAY_SATURDAY = 6, } enum int DAY_FRIDAY = 5; enum int MONTH_OCTOBER = 10; enum int MONTH_JULY = 7; enum int SCREEN_ORIENTATION_SENSOR = 6; enum int DAY_TUESDAY = 2; enum int SCREEN_ORIENTATION_PORTRAIT = 1; enum int MONTH_FEBRUARY = 2; enum int POWERSTATE_UNKNOWN = 0; enum int POWERSTATE_CHARGED = 4; enum int SYSTEM_DIR_MUSIC = 5; enum int DAY_MONDAY = 1; enum int SYSTEM_DIR_RINGTONES = 7; enum int DAY_SUNDAY = 0; enum int SCREEN_ORIENTATION_REVERSE_LANDSCAPE = 2; enum int MONTH_NOVEMBER = 11; enum int DAY_WEDNESDAY = 3; enum int SCREEN_ORIENTATION_REVERSE_PORTRAIT = 3; enum int SCREEN_ORIENTATION_LANDSCAPE = 0; enum int SCREEN_ORIENTATION_SENSOR_LANDSCAPE = 4; enum int DAY_SATURDAY = 6; enum int SCREEN_ORIENTATION_SENSOR_PORTRAIT = 5; enum int MONTH_MARCH = 3; enum int MONTH_MAY = 5; enum int SYSTEM_DIR_DESKTOP = 0; enum int MONTH_SEPTEMBER = 9; enum int DAY_THURSDAY = 4; enum int SYSTEM_DIR_DOCUMENTS = 2; enum int POWERSTATE_ON_BATTERY = 1; enum int POWERSTATE_NO_BATTERY = 2; enum int MONTH_JANUARY = 1; enum int MONTH_JUNE = 6; enum int SYSTEM_DIR_DCIM = 1; enum int SYSTEM_DIR_PICTURES = 6; enum int POWERSTATE_CHARGING = 3; enum int SYSTEM_DIR_MOVIES = 4; enum int MONTH_AUGUST = 8; enum int MONTH_DECEMBER = 12; enum int MONTH_APRIL = 4; enum int SYSTEM_DIR_DOWNLOADS = 3; package(godot) static GodotMethod!(void, String) _GODOT_set_clipboard; package(godot) alias _GODOT_methodBindInfo(string name : "set_clipboard") = _GODOT_set_clipboard; void set_clipboard(StringArg0)(in StringArg0 clipboard) { _GODOT_set_clipboard.bind("_OS", "set_clipboard"); ptrcall!(void)(_GODOT_set_clipboard, _godot_object, clipboard); } package(godot) static GodotMethod!(String) _GODOT_get_clipboard; package(godot) alias _GODOT_methodBindInfo(string name : "get_clipboard") = _GODOT_get_clipboard; String get_clipboard() const { _GODOT_get_clipboard.bind("_OS", "get_clipboard"); return ptrcall!(String)(_GODOT_get_clipboard, _godot_object); } package(godot) static GodotMethod!(int) _GODOT_get_screen_count; package(godot) alias _GODOT_methodBindInfo(string name : "get_screen_count") = _GODOT_get_screen_count; int get_screen_count() const { _GODOT_get_screen_count.bind("_OS", "get_screen_count"); return ptrcall!(int)(_GODOT_get_screen_count, _godot_object); } package(godot) static GodotMethod!(int) _GODOT_get_current_screen; package(godot) alias _GODOT_methodBindInfo(string name : "get_current_screen") = _GODOT_get_current_screen; int get_current_screen() const { _GODOT_get_current_screen.bind("_OS", "get_current_screen"); return ptrcall!(int)(_GODOT_get_current_screen, _godot_object); } package(godot) static GodotMethod!(void, int) _GODOT_set_current_screen; package(godot) alias _GODOT_methodBindInfo(string name : "set_current_screen") = _GODOT_set_current_screen; void set_current_screen(in int screen) { _GODOT_set_current_screen.bind("_OS", "set_current_screen"); ptrcall!(void)(_GODOT_set_current_screen, _godot_object, screen); } package(godot) static GodotMethod!(Vector2, int) _GODOT_get_screen_position; package(godot) alias _GODOT_methodBindInfo(string name : "get_screen_position") = _GODOT_get_screen_position; Vector2 get_screen_position(in int screen = -1) const { _GODOT_get_screen_position.bind("_OS", "get_screen_position"); return ptrcall!(Vector2)(_GODOT_get_screen_position, _godot_object, screen); } package(godot) static GodotMethod!(Vector2, int) _GODOT_get_screen_size; package(godot) alias _GODOT_methodBindInfo(string name : "get_screen_size") = _GODOT_get_screen_size; Vector2 get_screen_size(in int screen = -1) const { _GODOT_get_screen_size.bind("_OS", "get_screen_size"); return ptrcall!(Vector2)(_GODOT_get_screen_size, _godot_object, screen); } package(godot) static GodotMethod!(int, int) _GODOT_get_screen_dpi; package(godot) alias _GODOT_methodBindInfo(string name : "get_screen_dpi") = _GODOT_get_screen_dpi; int get_screen_dpi(in int screen = -1) const { _GODOT_get_screen_dpi.bind("_OS", "get_screen_dpi"); return ptrcall!(int)(_GODOT_get_screen_dpi, _godot_object, screen); } package(godot) static GodotMethod!(Vector2) _GODOT_get_window_position; package(godot) alias _GODOT_methodBindInfo(string name : "get_window_position") = _GODOT_get_window_position; Vector2 get_window_position() const { _GODOT_get_window_position.bind("_OS", "get_window_position"); return ptrcall!(Vector2)(_GODOT_get_window_position, _godot_object); } package(godot) static GodotMethod!(void, Vector2) _GODOT_set_window_position; package(godot) alias _GODOT_methodBindInfo(string name : "set_window_position") = _GODOT_set_window_position; void set_window_position(in Vector2 position) { _GODOT_set_window_position.bind("_OS", "set_window_position"); ptrcall!(void)(_GODOT_set_window_position, _godot_object, position); } package(godot) static GodotMethod!(Vector2) _GODOT_get_window_size; package(godot) alias _GODOT_methodBindInfo(string name : "get_window_size") = _GODOT_get_window_size; Vector2 get_window_size() const { _GODOT_get_window_size.bind("_OS", "get_window_size"); return ptrcall!(Vector2)(_GODOT_get_window_size, _godot_object); } package(godot) static GodotMethod!(void, Vector2) _GODOT_set_window_size; package(godot) alias _GODOT_methodBindInfo(string name : "set_window_size") = _GODOT_set_window_size; void set_window_size(in Vector2 size) { _GODOT_set_window_size.bind("_OS", "set_window_size"); ptrcall!(void)(_GODOT_set_window_size, _godot_object, size); } package(godot) static GodotMethod!(void, bool) _GODOT_set_window_fullscreen; package(godot) alias _GODOT_methodBindInfo(string name : "set_window_fullscreen") = _GODOT_set_window_fullscreen; void set_window_fullscreen(in bool enabled) { _GODOT_set_window_fullscreen.bind("_OS", "set_window_fullscreen"); ptrcall!(void)(_GODOT_set_window_fullscreen, _godot_object, enabled); } package(godot) static GodotMethod!(bool) _GODOT_is_window_fullscreen; package(godot) alias _GODOT_methodBindInfo(string name : "is_window_fullscreen") = _GODOT_is_window_fullscreen; bool is_window_fullscreen() const { _GODOT_is_window_fullscreen.bind("_OS", "is_window_fullscreen"); return ptrcall!(bool)(_GODOT_is_window_fullscreen, _godot_object); } package(godot) static GodotMethod!(void, bool) _GODOT_set_window_resizable; package(godot) alias _GODOT_methodBindInfo(string name : "set_window_resizable") = _GODOT_set_window_resizable; void set_window_resizable(in bool enabled) { _GODOT_set_window_resizable.bind("_OS", "set_window_resizable"); ptrcall!(void)(_GODOT_set_window_resizable, _godot_object, enabled); } package(godot) static GodotMethod!(bool) _GODOT_is_window_resizable; package(godot) alias _GODOT_methodBindInfo(string name : "is_window_resizable") = _GODOT_is_window_resizable; bool is_window_resizable() const { _GODOT_is_window_resizable.bind("_OS", "is_window_resizable"); return ptrcall!(bool)(_GODOT_is_window_resizable, _godot_object); } package(godot) static GodotMethod!(void, bool) _GODOT_set_window_minimized; package(godot) alias _GODOT_methodBindInfo(string name : "set_window_minimized") = _GODOT_set_window_minimized; void set_window_minimized(in bool enabled) { _GODOT_set_window_minimized.bind("_OS", "set_window_minimized"); ptrcall!(void)(_GODOT_set_window_minimized, _godot_object, enabled); } package(godot) static GodotMethod!(bool) _GODOT_is_window_minimized; package(godot) alias _GODOT_methodBindInfo(string name : "is_window_minimized") = _GODOT_is_window_minimized; bool is_window_minimized() const { _GODOT_is_window_minimized.bind("_OS", "is_window_minimized"); return ptrcall!(bool)(_GODOT_is_window_minimized, _godot_object); } package(godot) static GodotMethod!(void, bool) _GODOT_set_window_maximized; package(godot) alias _GODOT_methodBindInfo(string name : "set_window_maximized") = _GODOT_set_window_maximized; void set_window_maximized(in bool enabled) { _GODOT_set_window_maximized.bind("_OS", "set_window_maximized"); ptrcall!(void)(_GODOT_set_window_maximized, _godot_object, enabled); } package(godot) static GodotMethod!(bool) _GODOT_is_window_maximized; package(godot) alias _GODOT_methodBindInfo(string name : "is_window_maximized") = _GODOT_is_window_maximized; bool is_window_maximized() const { _GODOT_is_window_maximized.bind("_OS", "is_window_maximized"); return ptrcall!(bool)(_GODOT_is_window_maximized, _godot_object); } package(godot) static GodotMethod!(void) _GODOT_request_attention; package(godot) alias _GODOT_methodBindInfo(string name : "request_attention") = _GODOT_request_attention; void request_attention() { _GODOT_request_attention.bind("_OS", "request_attention"); ptrcall!(void)(_GODOT_request_attention, _godot_object); } package(godot) static GodotMethod!(void, bool) _GODOT_set_borderless_window; package(godot) alias _GODOT_methodBindInfo(string name : "set_borderless_window") = _GODOT_set_borderless_window; void set_borderless_window(in bool borderless) { _GODOT_set_borderless_window.bind("_OS", "set_borderless_window"); ptrcall!(void)(_GODOT_set_borderless_window, _godot_object, borderless); } package(godot) static GodotMethod!(bool) _GODOT_get_borderless_window; package(godot) alias _GODOT_methodBindInfo(string name : "get_borderless_window") = _GODOT_get_borderless_window; bool get_borderless_window() const { _GODOT_get_borderless_window.bind("_OS", "get_borderless_window"); return ptrcall!(bool)(_GODOT_get_borderless_window, _godot_object); } package(godot) static GodotMethod!(void, Vector2) _GODOT_set_ime_position; package(godot) alias _GODOT_methodBindInfo(string name : "set_ime_position") = _GODOT_set_ime_position; void set_ime_position(in Vector2 position) { _GODOT_set_ime_position.bind("_OS", "set_ime_position"); ptrcall!(void)(_GODOT_set_ime_position, _godot_object, position); } package(godot) static GodotMethod!(void, int) _GODOT_set_screen_orientation; package(godot) alias _GODOT_methodBindInfo(string name : "set_screen_orientation") = _GODOT_set_screen_orientation; void set_screen_orientation(in int orientation) { _GODOT_set_screen_orientation.bind("_OS", "set_screen_orientation"); ptrcall!(void)(_GODOT_set_screen_orientation, _godot_object, orientation); } package(godot) static GodotMethod!(OS.ScreenOrientation) _GODOT_get_screen_orientation; package(godot) alias _GODOT_methodBindInfo(string name : "get_screen_orientation") = _GODOT_get_screen_orientation; OS.ScreenOrientation get_screen_orientation() const { _GODOT_get_screen_orientation.bind("_OS", "get_screen_orientation"); return ptrcall!(OS.ScreenOrientation)(_GODOT_get_screen_orientation, _godot_object); } package(godot) static GodotMethod!(void, bool) _GODOT_set_keep_screen_on; package(godot) alias _GODOT_methodBindInfo(string name : "set_keep_screen_on") = _GODOT_set_keep_screen_on; void set_keep_screen_on(in bool enabled) { _GODOT_set_keep_screen_on.bind("_OS", "set_keep_screen_on"); ptrcall!(void)(_GODOT_set_keep_screen_on, _godot_object, enabled); } package(godot) static GodotMethod!(bool) _GODOT_is_keep_screen_on; package(godot) alias _GODOT_methodBindInfo(string name : "is_keep_screen_on") = _GODOT_is_keep_screen_on; bool is_keep_screen_on() const { _GODOT_is_keep_screen_on.bind("_OS", "is_keep_screen_on"); return ptrcall!(bool)(_GODOT_is_keep_screen_on, _godot_object); } package(godot) static GodotMethod!(bool) _GODOT_has_touchscreen_ui_hint; package(godot) alias _GODOT_methodBindInfo(string name : "has_touchscreen_ui_hint") = _GODOT_has_touchscreen_ui_hint; bool has_touchscreen_ui_hint() const { _GODOT_has_touchscreen_ui_hint.bind("_OS", "has_touchscreen_ui_hint"); return ptrcall!(bool)(_GODOT_has_touchscreen_ui_hint, _godot_object); } package(godot) static GodotMethod!(void, String) _GODOT_set_window_title; package(godot) alias _GODOT_methodBindInfo(string name : "set_window_title") = _GODOT_set_window_title; void set_window_title(StringArg0)(in StringArg0 title) { _GODOT_set_window_title.bind("_OS", "set_window_title"); ptrcall!(void)(_GODOT_set_window_title, _godot_object, title); } package(godot) static GodotMethod!(void, bool) _GODOT_set_low_processor_usage_mode; package(godot) alias _GODOT_methodBindInfo(string name : "set_low_processor_usage_mode") = _GODOT_set_low_processor_usage_mode; void set_low_processor_usage_mode(in bool enable) { _GODOT_set_low_processor_usage_mode.bind("_OS", "set_low_processor_usage_mode"); ptrcall!(void)(_GODOT_set_low_processor_usage_mode, _godot_object, enable); } package(godot) static GodotMethod!(bool) _GODOT_is_in_low_processor_usage_mode; package(godot) alias _GODOT_methodBindInfo(string name : "is_in_low_processor_usage_mode") = _GODOT_is_in_low_processor_usage_mode; bool is_in_low_processor_usage_mode() const { _GODOT_is_in_low_processor_usage_mode.bind("_OS", "is_in_low_processor_usage_mode"); return ptrcall!(bool)(_GODOT_is_in_low_processor_usage_mode, _godot_object); } package(godot) static GodotMethod!(int) _GODOT_get_processor_count; package(godot) alias _GODOT_methodBindInfo(string name : "get_processor_count") = _GODOT_get_processor_count; int get_processor_count() const { _GODOT_get_processor_count.bind("_OS", "get_processor_count"); return ptrcall!(int)(_GODOT_get_processor_count, _godot_object); } package(godot) static GodotMethod!(String) _GODOT_get_executable_path; package(godot) alias _GODOT_methodBindInfo(string name : "get_executable_path") = _GODOT_get_executable_path; String get_executable_path() const { _GODOT_get_executable_path.bind("_OS", "get_executable_path"); return ptrcall!(String)(_GODOT_get_executable_path, _godot_object); } package(godot) static GodotMethod!(int, String, PoolStringArray, bool, Array) _GODOT_execute; package(godot) alias _GODOT_methodBindInfo(string name : "execute") = _GODOT_execute; int execute(StringArg0)(in StringArg0 path, in PoolStringArray arguments, in bool blocking, in Array output = Array.empty_array) { _GODOT_execute.bind("_OS", "execute"); return ptrcall!(int)(_GODOT_execute, _godot_object, path, arguments, blocking, output); } package(godot) static GodotMethod!(GodotError, int) _GODOT_kill; package(godot) alias _GODOT_methodBindInfo(string name : "kill") = _GODOT_kill; GodotError kill(in int pid) { _GODOT_kill.bind("_OS", "kill"); return ptrcall!(GodotError)(_GODOT_kill, _godot_object, pid); } package(godot) static GodotMethod!(GodotError, String) _GODOT_shell_open; package(godot) alias _GODOT_methodBindInfo(string name : "shell_open") = _GODOT_shell_open; GodotError shell_open(StringArg0)(in StringArg0 uri) { _GODOT_shell_open.bind("_OS", "shell_open"); return ptrcall!(GodotError)(_GODOT_shell_open, _godot_object, uri); } package(godot) static GodotMethod!(int) _GODOT_get_process_id; package(godot) alias _GODOT_methodBindInfo(string name : "get_process_id") = _GODOT_get_process_id; int get_process_id() const { _GODOT_get_process_id.bind("_OS", "get_process_id"); return ptrcall!(int)(_GODOT_get_process_id, _godot_object); } package(godot) static GodotMethod!(String, String) _GODOT_get_environment; package(godot) alias _GODOT_methodBindInfo(string name : "get_environment") = _GODOT_get_environment; String get_environment(StringArg0)(in StringArg0 environment) const { _GODOT_get_environment.bind("_OS", "get_environment"); return ptrcall!(String)(_GODOT_get_environment, _godot_object, environment); } package(godot) static GodotMethod!(bool, String) _GODOT_has_environment; package(godot) alias _GODOT_methodBindInfo(string name : "has_environment") = _GODOT_has_environment; bool has_environment(StringArg0)(in StringArg0 environment) const { _GODOT_has_environment.bind("_OS", "has_environment"); return ptrcall!(bool)(_GODOT_has_environment, _godot_object, environment); } package(godot) static GodotMethod!(String) _GODOT_get_name; package(godot) alias _GODOT_methodBindInfo(string name : "get_name") = _GODOT_get_name; String get_name() const { _GODOT_get_name.bind("_OS", "get_name"); return ptrcall!(String)(_GODOT_get_name, _godot_object); } package(godot) static GodotMethod!(PoolStringArray) _GODOT_get_cmdline_args; package(godot) alias _GODOT_methodBindInfo(string name : "get_cmdline_args") = _GODOT_get_cmdline_args; PoolStringArray get_cmdline_args() { _GODOT_get_cmdline_args.bind("_OS", "get_cmdline_args"); return ptrcall!(PoolStringArray)(_GODOT_get_cmdline_args, _godot_object); } package(godot) static GodotMethod!(Dictionary, bool) _GODOT_get_datetime; package(godot) alias _GODOT_methodBindInfo(string name : "get_datetime") = _GODOT_get_datetime; Dictionary get_datetime(in bool utc = false) const { _GODOT_get_datetime.bind("_OS", "get_datetime"); return ptrcall!(Dictionary)(_GODOT_get_datetime, _godot_object, utc); } package(godot) static GodotMethod!(Dictionary, bool) _GODOT_get_date; package(godot) alias _GODOT_methodBindInfo(string name : "get_date") = _GODOT_get_date; Dictionary get_date(in bool utc = false) const { _GODOT_get_date.bind("_OS", "get_date"); return ptrcall!(Dictionary)(_GODOT_get_date, _godot_object, utc); } package(godot) static GodotMethod!(Dictionary, bool) _GODOT_get_time; package(godot) alias _GODOT_methodBindInfo(string name : "get_time") = _GODOT_get_time; Dictionary get_time(in bool utc = false) const { _GODOT_get_time.bind("_OS", "get_time"); return ptrcall!(Dictionary)(_GODOT_get_time, _godot_object, utc); } package(godot) static GodotMethod!(Dictionary) _GODOT_get_time_zone_info; package(godot) alias _GODOT_methodBindInfo(string name : "get_time_zone_info") = _GODOT_get_time_zone_info; Dictionary get_time_zone_info() const { _GODOT_get_time_zone_info.bind("_OS", "get_time_zone_info"); return ptrcall!(Dictionary)(_GODOT_get_time_zone_info, _godot_object); } package(godot) static GodotMethod!(int) _GODOT_get_unix_time; package(godot) alias _GODOT_methodBindInfo(string name : "get_unix_time") = _GODOT_get_unix_time; int get_unix_time() const { _GODOT_get_unix_time.bind("_OS", "get_unix_time"); return ptrcall!(int)(_GODOT_get_unix_time, _godot_object); } package(godot) static GodotMethod!(Dictionary, int) _GODOT_get_datetime_from_unix_time; package(godot) alias _GODOT_methodBindInfo(string name : "get_datetime_from_unix_time") = _GODOT_get_datetime_from_unix_time; Dictionary get_datetime_from_unix_time(in int unix_time_val) const { _GODOT_get_datetime_from_unix_time.bind("_OS", "get_datetime_from_unix_time"); return ptrcall!(Dictionary)(_GODOT_get_datetime_from_unix_time, _godot_object, unix_time_val); } package(godot) static GodotMethod!(int, Dictionary) _GODOT_get_unix_time_from_datetime; package(godot) alias _GODOT_methodBindInfo(string name : "get_unix_time_from_datetime") = _GODOT_get_unix_time_from_datetime; int get_unix_time_from_datetime(in Dictionary datetime) const { _GODOT_get_unix_time_from_datetime.bind("_OS", "get_unix_time_from_datetime"); return ptrcall!(int)(_GODOT_get_unix_time_from_datetime, _godot_object, datetime); } package(godot) static GodotMethod!(int) _GODOT_get_system_time_secs; package(godot) alias _GODOT_methodBindInfo(string name : "get_system_time_secs") = _GODOT_get_system_time_secs; int get_system_time_secs() const { _GODOT_get_system_time_secs.bind("_OS", "get_system_time_secs"); return ptrcall!(int)(_GODOT_get_system_time_secs, _godot_object); } package(godot) static GodotMethod!(void, Image) _GODOT_set_icon; package(godot) alias _GODOT_methodBindInfo(string name : "set_icon") = _GODOT_set_icon; void set_icon(in Image icon) { _GODOT_set_icon.bind("_OS", "set_icon"); ptrcall!(void)(_GODOT_set_icon, _godot_object, icon); } package(godot) static GodotMethod!(int) _GODOT_get_exit_code; package(godot) alias _GODOT_methodBindInfo(string name : "get_exit_code") = _GODOT_get_exit_code; int get_exit_code() const { _GODOT_get_exit_code.bind("_OS", "get_exit_code"); return ptrcall!(int)(_GODOT_get_exit_code, _godot_object); } package(godot) static GodotMethod!(void, int) _GODOT_set_exit_code; package(godot) alias _GODOT_methodBindInfo(string name : "set_exit_code") = _GODOT_set_exit_code; void set_exit_code(in int code) { _GODOT_set_exit_code.bind("_OS", "set_exit_code"); ptrcall!(void)(_GODOT_set_exit_code, _godot_object, code); } package(godot) static GodotMethod!(void, int) _GODOT_delay_usec; package(godot) alias _GODOT_methodBindInfo(string name : "delay_usec") = _GODOT_delay_usec; void delay_usec(in int usec) const { _GODOT_delay_usec.bind("_OS", "delay_usec"); ptrcall!(void)(_GODOT_delay_usec, _godot_object, usec); } package(godot) static GodotMethod!(void, int) _GODOT_delay_msec; package(godot) alias _GODOT_methodBindInfo(string name : "delay_msec") = _GODOT_delay_msec; void delay_msec(in int msec) const { _GODOT_delay_msec.bind("_OS", "delay_msec"); ptrcall!(void)(_GODOT_delay_msec, _godot_object, msec); } package(godot) static GodotMethod!(int) _GODOT_get_ticks_msec; package(godot) alias _GODOT_methodBindInfo(string name : "get_ticks_msec") = _GODOT_get_ticks_msec; int get_ticks_msec() const { _GODOT_get_ticks_msec.bind("_OS", "get_ticks_msec"); return ptrcall!(int)(_GODOT_get_ticks_msec, _godot_object); } package(godot) static GodotMethod!(int) _GODOT_get_splash_tick_msec; package(godot) alias _GODOT_methodBindInfo(string name : "get_splash_tick_msec") = _GODOT_get_splash_tick_msec; int get_splash_tick_msec() const { _GODOT_get_splash_tick_msec.bind("_OS", "get_splash_tick_msec"); return ptrcall!(int)(_GODOT_get_splash_tick_msec, _godot_object); } package(godot) static GodotMethod!(String) _GODOT_get_locale; package(godot) alias _GODOT_methodBindInfo(string name : "get_locale") = _GODOT_get_locale; String get_locale() const { _GODOT_get_locale.bind("_OS", "get_locale"); return ptrcall!(String)(_GODOT_get_locale, _godot_object); } package(godot) static GodotMethod!(String) _GODOT_get_latin_keyboard_variant; package(godot) alias _GODOT_methodBindInfo(string name : "get_latin_keyboard_variant") = _GODOT_get_latin_keyboard_variant; String get_latin_keyboard_variant() const { _GODOT_get_latin_keyboard_variant.bind("_OS", "get_latin_keyboard_variant"); return ptrcall!(String)(_GODOT_get_latin_keyboard_variant, _godot_object); } package(godot) static GodotMethod!(String) _GODOT_get_model_name; package(godot) alias _GODOT_methodBindInfo(string name : "get_model_name") = _GODOT_get_model_name; String get_model_name() const { _GODOT_get_model_name.bind("_OS", "get_model_name"); return ptrcall!(String)(_GODOT_get_model_name, _godot_object); } package(godot) static GodotMethod!(bool) _GODOT_can_draw; package(godot) alias _GODOT_methodBindInfo(string name : "can_draw") = _GODOT_can_draw; bool can_draw() const { _GODOT_can_draw.bind("_OS", "can_draw"); return ptrcall!(bool)(_GODOT_can_draw, _godot_object); } package(godot) static GodotMethod!(bool) _GODOT_is_stdout_verbose; package(godot) alias _GODOT_methodBindInfo(string name : "is_stdout_verbose") = _GODOT_is_stdout_verbose; bool is_stdout_verbose() const { _GODOT_is_stdout_verbose.bind("_OS", "is_stdout_verbose"); return ptrcall!(bool)(_GODOT_is_stdout_verbose, _godot_object); } package(godot) static GodotMethod!(bool) _GODOT_can_use_threads; package(godot) alias _GODOT_methodBindInfo(string name : "can_use_threads") = _GODOT_can_use_threads; bool can_use_threads() const { _GODOT_can_use_threads.bind("_OS", "can_use_threads"); return ptrcall!(bool)(_GODOT_can_use_threads, _godot_object); } package(godot) static GodotMethod!(bool) _GODOT_is_debug_build; package(godot) alias _GODOT_methodBindInfo(string name : "is_debug_build") = _GODOT_is_debug_build; bool is_debug_build() const { _GODOT_is_debug_build.bind("_OS", "is_debug_build"); return ptrcall!(bool)(_GODOT_is_debug_build, _godot_object); } package(godot) static GodotMethod!(void, String) _GODOT_dump_memory_to_file; package(godot) alias _GODOT_methodBindInfo(string name : "dump_memory_to_file") = _GODOT_dump_memory_to_file; void dump_memory_to_file(StringArg0)(in StringArg0 file) { _GODOT_dump_memory_to_file.bind("_OS", "dump_memory_to_file"); ptrcall!(void)(_GODOT_dump_memory_to_file, _godot_object, file); } package(godot) static GodotMethod!(void, String) _GODOT_dump_resources_to_file; package(godot) alias _GODOT_methodBindInfo(string name : "dump_resources_to_file") = _GODOT_dump_resources_to_file; void dump_resources_to_file(StringArg0)(in StringArg0 file) { _GODOT_dump_resources_to_file.bind("_OS", "dump_resources_to_file"); ptrcall!(void)(_GODOT_dump_resources_to_file, _godot_object, file); } package(godot) static GodotMethod!(bool) _GODOT_has_virtual_keyboard; package(godot) alias _GODOT_methodBindInfo(string name : "has_virtual_keyboard") = _GODOT_has_virtual_keyboard; bool has_virtual_keyboard() const { _GODOT_has_virtual_keyboard.bind("_OS", "has_virtual_keyboard"); return ptrcall!(bool)(_GODOT_has_virtual_keyboard, _godot_object); } package(godot) static GodotMethod!(void, String) _GODOT_show_virtual_keyboard; package(godot) alias _GODOT_methodBindInfo(string name : "show_virtual_keyboard") = _GODOT_show_virtual_keyboard; void show_virtual_keyboard(StringArg0)(in StringArg0 existing_text = "") { _GODOT_show_virtual_keyboard.bind("_OS", "show_virtual_keyboard"); ptrcall!(void)(_GODOT_show_virtual_keyboard, _godot_object, existing_text); } package(godot) static GodotMethod!(void) _GODOT_hide_virtual_keyboard; package(godot) alias _GODOT_methodBindInfo(string name : "hide_virtual_keyboard") = _GODOT_hide_virtual_keyboard; void hide_virtual_keyboard() { _GODOT_hide_virtual_keyboard.bind("_OS", "hide_virtual_keyboard"); ptrcall!(void)(_GODOT_hide_virtual_keyboard, _godot_object); } package(godot) static GodotMethod!(void, bool) _GODOT_print_resources_in_use; package(godot) alias _GODOT_methodBindInfo(string name : "print_resources_in_use") = _GODOT_print_resources_in_use; void print_resources_in_use(in bool _short = false) { _GODOT_print_resources_in_use.bind("_OS", "print_resources_in_use"); ptrcall!(void)(_GODOT_print_resources_in_use, _godot_object, _short); } package(godot) static GodotMethod!(void, String) _GODOT_print_all_resources; package(godot) alias _GODOT_methodBindInfo(string name : "print_all_resources") = _GODOT_print_all_resources; void print_all_resources(StringArg0)(in StringArg0 tofile = "") { _GODOT_print_all_resources.bind("_OS", "print_all_resources"); ptrcall!(void)(_GODOT_print_all_resources, _godot_object, tofile); } package(godot) static GodotMethod!(int) _GODOT_get_static_memory_usage; package(godot) alias _GODOT_methodBindInfo(string name : "get_static_memory_usage") = _GODOT_get_static_memory_usage; int get_static_memory_usage() const { _GODOT_get_static_memory_usage.bind("_OS", "get_static_memory_usage"); return ptrcall!(int)(_GODOT_get_static_memory_usage, _godot_object); } package(godot) static GodotMethod!(int) _GODOT_get_static_memory_peak_usage; package(godot) alias _GODOT_methodBindInfo(string name : "get_static_memory_peak_usage") = _GODOT_get_static_memory_peak_usage; int get_static_memory_peak_usage() const { _GODOT_get_static_memory_peak_usage.bind("_OS", "get_static_memory_peak_usage"); return ptrcall!(int)(_GODOT_get_static_memory_peak_usage, _godot_object); } package(godot) static GodotMethod!(int) _GODOT_get_dynamic_memory_usage; package(godot) alias _GODOT_methodBindInfo(string name : "get_dynamic_memory_usage") = _GODOT_get_dynamic_memory_usage; int get_dynamic_memory_usage() const { _GODOT_get_dynamic_memory_usage.bind("_OS", "get_dynamic_memory_usage"); return ptrcall!(int)(_GODOT_get_dynamic_memory_usage, _godot_object); } package(godot) static GodotMethod!(String) _GODOT_get_data_dir; package(godot) alias _GODOT_methodBindInfo(string name : "get_data_dir") = _GODOT_get_data_dir; String get_data_dir() const { _GODOT_get_data_dir.bind("_OS", "get_data_dir"); return ptrcall!(String)(_GODOT_get_data_dir, _godot_object); } package(godot) static GodotMethod!(String, int) _GODOT_get_system_dir; package(godot) alias _GODOT_methodBindInfo(string name : "get_system_dir") = _GODOT_get_system_dir; String get_system_dir(in int dir) const { _GODOT_get_system_dir.bind("_OS", "get_system_dir"); return ptrcall!(String)(_GODOT_get_system_dir, _godot_object, dir); } package(godot) static GodotMethod!(String) _GODOT_get_unique_id; package(godot) alias _GODOT_methodBindInfo(string name : "get_unique_id") = _GODOT_get_unique_id; String get_unique_id() const { _GODOT_get_unique_id.bind("_OS", "get_unique_id"); return ptrcall!(String)(_GODOT_get_unique_id, _godot_object); } package(godot) static GodotMethod!(bool) _GODOT_is_ok_left_and_cancel_right; package(godot) alias _GODOT_methodBindInfo(string name : "is_ok_left_and_cancel_right") = _GODOT_is_ok_left_and_cancel_right; bool is_ok_left_and_cancel_right() const { _GODOT_is_ok_left_and_cancel_right.bind("_OS", "is_ok_left_and_cancel_right"); return ptrcall!(bool)(_GODOT_is_ok_left_and_cancel_right, _godot_object); } package(godot) static GodotMethod!(void) _GODOT_print_all_textures_by_size; package(godot) alias _GODOT_methodBindInfo(string name : "print_all_textures_by_size") = _GODOT_print_all_textures_by_size; void print_all_textures_by_size() { _GODOT_print_all_textures_by_size.bind("_OS", "print_all_textures_by_size"); ptrcall!(void)(_GODOT_print_all_textures_by_size, _godot_object); } package(godot) static GodotMethod!(void, PoolStringArray) _GODOT_print_resources_by_type; package(godot) alias _GODOT_methodBindInfo(string name : "print_resources_by_type") = _GODOT_print_resources_by_type; void print_resources_by_type(in PoolStringArray types) { _GODOT_print_resources_by_type.bind("_OS", "print_resources_by_type"); ptrcall!(void)(_GODOT_print_resources_by_type, _godot_object, types); } package(godot) static GodotMethod!(GodotError, String, float, String, String) _GODOT_native_video_play; package(godot) alias _GODOT_methodBindInfo(string name : "native_video_play") = _GODOT_native_video_play; GodotError native_video_play(StringArg0, StringArg2, StringArg3)(in StringArg0 path, in float volume, in StringArg2 audio_track, in StringArg3 subtitle_track) { _GODOT_native_video_play.bind("_OS", "native_video_play"); return ptrcall!(GodotError)(_GODOT_native_video_play, _godot_object, path, volume, audio_track, subtitle_track); } package(godot) static GodotMethod!(bool) _GODOT_native_video_is_playing; package(godot) alias _GODOT_methodBindInfo(string name : "native_video_is_playing") = _GODOT_native_video_is_playing; bool native_video_is_playing() { _GODOT_native_video_is_playing.bind("_OS", "native_video_is_playing"); return ptrcall!(bool)(_GODOT_native_video_is_playing, _godot_object); } package(godot) static GodotMethod!(void) _GODOT_native_video_stop; package(godot) alias _GODOT_methodBindInfo(string name : "native_video_stop") = _GODOT_native_video_stop; void native_video_stop() { _GODOT_native_video_stop.bind("_OS", "native_video_stop"); ptrcall!(void)(_GODOT_native_video_stop, _godot_object); } package(godot) static GodotMethod!(void) _GODOT_native_video_pause; package(godot) alias _GODOT_methodBindInfo(string name : "native_video_pause") = _GODOT_native_video_pause; void native_video_pause() { _GODOT_native_video_pause.bind("_OS", "native_video_pause"); ptrcall!(void)(_GODOT_native_video_pause, _godot_object); } package(godot) static GodotMethod!(void) _GODOT_native_video_unpause; package(godot) alias _GODOT_methodBindInfo(string name : "native_video_unpause") = _GODOT_native_video_unpause; void native_video_unpause() { _GODOT_native_video_unpause.bind("_OS", "native_video_unpause"); ptrcall!(void)(_GODOT_native_video_unpause, _godot_object); } package(godot) static GodotMethod!(String, int) _GODOT_get_scancode_string; package(godot) alias _GODOT_methodBindInfo(string name : "get_scancode_string") = _GODOT_get_scancode_string; String get_scancode_string(in int code) const { _GODOT_get_scancode_string.bind("_OS", "get_scancode_string"); return ptrcall!(String)(_GODOT_get_scancode_string, _godot_object, code); } package(godot) static GodotMethod!(bool, int) _GODOT_is_scancode_unicode; package(godot) alias _GODOT_methodBindInfo(string name : "is_scancode_unicode") = _GODOT_is_scancode_unicode; bool is_scancode_unicode(in int code) const { _GODOT_is_scancode_unicode.bind("_OS", "is_scancode_unicode"); return ptrcall!(bool)(_GODOT_is_scancode_unicode, _godot_object, code); } package(godot) static GodotMethod!(int, String) _GODOT_find_scancode_from_string; package(godot) alias _GODOT_methodBindInfo(string name : "find_scancode_from_string") = _GODOT_find_scancode_from_string; int find_scancode_from_string(StringArg0)(in StringArg0 string) const { _GODOT_find_scancode_from_string.bind("_OS", "find_scancode_from_string"); return ptrcall!(int)(_GODOT_find_scancode_from_string, _godot_object, string); } package(godot) static GodotMethod!(void, bool) _GODOT_set_use_file_access_save_and_swap; package(godot) alias _GODOT_methodBindInfo(string name : "set_use_file_access_save_and_swap") = _GODOT_set_use_file_access_save_and_swap; void set_use_file_access_save_and_swap(in bool enabled) { _GODOT_set_use_file_access_save_and_swap.bind("_OS", "set_use_file_access_save_and_swap"); ptrcall!(void)(_GODOT_set_use_file_access_save_and_swap, _godot_object, enabled); } package(godot) static GodotMethod!(void, String, String) _GODOT_alert; package(godot) alias _GODOT_methodBindInfo(string name : "alert") = _GODOT_alert; void alert(StringArg0, StringArg1)(in StringArg0 text, in StringArg1 title = "Alert!") { _GODOT_alert.bind("_OS", "alert"); ptrcall!(void)(_GODOT_alert, _godot_object, text, title); } package(godot) static GodotMethod!(GodotError, String) _GODOT_set_thread_name; package(godot) alias _GODOT_methodBindInfo(string name : "set_thread_name") = _GODOT_set_thread_name; GodotError set_thread_name(StringArg0)(in StringArg0 name) { _GODOT_set_thread_name.bind("_OS", "set_thread_name"); return ptrcall!(GodotError)(_GODOT_set_thread_name, _godot_object, name); } package(godot) static GodotMethod!(void, bool) _GODOT_set_use_vsync; package(godot) alias _GODOT_methodBindInfo(string name : "set_use_vsync") = _GODOT_set_use_vsync; void set_use_vsync(in bool enable) { _GODOT_set_use_vsync.bind("_OS", "set_use_vsync"); ptrcall!(void)(_GODOT_set_use_vsync, _godot_object, enable); } package(godot) static GodotMethod!(bool) _GODOT_is_vsync_enabled; package(godot) alias _GODOT_methodBindInfo(string name : "is_vsync_enabled") = _GODOT_is_vsync_enabled; bool is_vsync_enabled() const { _GODOT_is_vsync_enabled.bind("_OS", "is_vsync_enabled"); return ptrcall!(bool)(_GODOT_is_vsync_enabled, _godot_object); } package(godot) static GodotMethod!(OS.PowerState) _GODOT_get_power_state; package(godot) alias _GODOT_methodBindInfo(string name : "get_power_state") = _GODOT_get_power_state; OS.PowerState get_power_state() { _GODOT_get_power_state.bind("_OS", "get_power_state"); return ptrcall!(OS.PowerState)(_GODOT_get_power_state, _godot_object); } package(godot) static GodotMethod!(int) _GODOT_get_power_seconds_left; package(godot) alias _GODOT_methodBindInfo(string name : "get_power_seconds_left") = _GODOT_get_power_seconds_left; int get_power_seconds_left() { _GODOT_get_power_seconds_left.bind("_OS", "get_power_seconds_left"); return ptrcall!(int)(_GODOT_get_power_seconds_left, _godot_object); } package(godot) static GodotMethod!(int) _GODOT_get_power_percent_left; package(godot) alias _GODOT_methodBindInfo(string name : "get_power_percent_left") = _GODOT_get_power_percent_left; int get_power_percent_left() { _GODOT_get_power_percent_left.bind("_OS", "get_power_percent_left"); return ptrcall!(int)(_GODOT_get_power_percent_left, _godot_object); } } @property pragma(inline, true) OSSingleton OS() { return OSSingleton._GODOT_singleton(); }
D
/Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/SwiftMigration/MVP/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/Image.o : /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/String+MD5.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Resource.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Image.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageCache.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageTransition.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Placeholder.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/RequestModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Filter.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Indicator.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Box.swift /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/SwiftMigration/MVP/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/SwiftMigration/MVP/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/Image~partial.swiftmodule : /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/String+MD5.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Resource.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Image.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageCache.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageTransition.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Placeholder.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/RequestModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Filter.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Indicator.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Box.swift /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/SwiftMigration/MVP/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/SwiftMigration/MVP/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/Image~partial.swiftdoc : /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/String+MD5.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Resource.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Image.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageCache.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageTransition.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Placeholder.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/RequestModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Filter.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Indicator.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Box.swift /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/SwiftMigration/MVP/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/SwiftMigration/MVP/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/Image~partial.swiftsourceinfo : /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/String+MD5.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Resource.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Image.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageCache.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageTransition.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Placeholder.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/RequestModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Filter.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Indicator.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Box.swift /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/SwiftMigration/MVP/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
import std.stdio; import std.conv; import std.algorithm; import std.range; import std.array; import std.format; import std.datetime; import std.uni; import std.utf; import std.typecons; import std.math; import std.string; void main(string[] args) { auto a1 = stdin.readln.strip.split(","); auto a2 = stdin.readln.strip.split(","); debug { a1.writeln; a2.writeln; } int[Tuple!(int, int)] field; foreach (a; [a1, a2]) { int curr = 1; auto x = 0; auto y = 0; auto dict_v = ['R': &x, 'L': &x, 'U': &y, 'D': &y]; auto dict_s = ['R': 1, 'L': -1, 'U': 1, 'D': -1]; foreach (p; a) { auto t = (tuple(x, y) in field); if (a is a1) { if (t is null) field[tuple(x, y)] = curr; } else { if (t !is null) *t = -(curr + *t); } auto v = dict_v[p[0]]; auto s = dict_s[p[0]]; auto step = p[1..$].to!int; for (int i = 1; i <= step; i++) { *v = *v + s; t = tuple(x, y) in field; if (a is a1) { if (t is null) field[tuple(x, y)] = curr; } else { if (t !is null) *t = -(curr + *t); } curr++; debug writefln("x = %s, y = %s, field[x, y] = %s", x, y, field.get(tuple(x, y), 0)); } } } int mind = int.max; foreach (i, e; field) { if (e < 0) { int d = -e; if (d == 2) continue; if (d < mind) mind = d; } } writeln(mind); // debug { // for (int i = 0; i < 10; i++) // { // field[i][0..10].writeln; // } // } }
D
module script.startup; import std.conv; import d2d.core.event; import d2d.util.logger; import d2d.core.base; import d2d.core.dbg.eventdebug; import d2d.core.resources.texture; static this() { Logger.log("i am a fish"); } extern (C) void run(Base obj) { auto t = Texture.create!Texture("texture.test"); auto t2 = Texture.create!Texture("texture.test"); assert(t==t2); obj.addChild(new EventDebugger); //throw new Exception("testshit"); }
D
/+ + Copyright (c) Charles Petzold, 1998. + Ported to the D Programming Language by Andrej Mitrovic, 2011. +/ module AltWind; import core.runtime; import std.string; import std.utf; auto toUTF16z(S)(S s) { return toUTFz!(const(wchar)*)(s); } pragma(lib, "gdi32.lib"); pragma(lib, "winmm.lib"); import core.sys.windows.mmsystem; import core.sys.windows.windef; import core.sys.windows.winuser; import core.sys.windows.wingdi; extern(Windows) int WinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpCmdLine, int iCmdShow) { int result; try { Runtime.initialize(); result = myWinMain(hInstance, hPrevInstance, lpCmdLine, iCmdShow); Runtime.terminate(); } catch(Throwable o) { MessageBox(null, o.toString().toUTF16z, "Error", MB_OK | MB_ICONEXCLAMATION); result = 0; } return result; } int myWinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpCmdLine, int iCmdShow) { string appName = "AltWind"; HWND hwnd; MSG msg; WNDCLASS wndclass; wndclass.style = CS_HREDRAW | CS_VREDRAW; wndclass.lpfnWndProc = &WndProc; wndclass.cbClsExtra = 0; wndclass.cbWndExtra = 0; wndclass.hInstance = hInstance; wndclass.hIcon = LoadIcon(NULL, IDI_APPLICATION); wndclass.hCursor = LoadCursor(NULL, IDC_ARROW); wndclass.hbrBackground = cast(HBRUSH)GetStockObject(WHITE_BRUSH); wndclass.lpszMenuName = NULL; wndclass.lpszClassName = appName.toUTF16z; if(!RegisterClass(&wndclass)) { MessageBox(NULL, "This program requires Windows NT!", appName.toUTF16z, MB_ICONERROR); return 0; } hwnd = CreateWindow(appName.toUTF16z, // window class name "Alternate and Winding Fill Modes", // window caption WS_OVERLAPPEDWINDOW, // window style CW_USEDEFAULT, // initial x position CW_USEDEFAULT, // initial y position CW_USEDEFAULT, // initial x size CW_USEDEFAULT, // initial y size NULL, // parent window handle NULL, // window menu handle hInstance, // program instance handle NULL); // creation parameters ShowWindow(hwnd, iCmdShow); UpdateWindow(hwnd); while (GetMessage(&msg, NULL, 0, 0)) { TranslateMessage(&msg); DispatchMessage(&msg); } return msg.wParam; } extern(Windows) LRESULT WndProc(HWND hwnd, UINT message, WPARAM wParam, LPARAM lParam) nothrow { scope (failure) assert(0); static int cxChar, cxCaps, cyChar, cxClient, cyClient, iMaxWidth; HDC hdc; int i, x, y, iVertPos, iHorzPos, iPaintStart, iPaintEnd; PAINTSTRUCT ps; TEXTMETRIC tm; enum aptFigure = [ POINT(10,70), POINT(50,70), POINT(50,10), POINT(90,10), POINT(90,50), POINT(30,50), POINT(30,90), POINT(70,90), POINT(70,30), POINT(10,30) ]; POINT[10] apt; switch(message) { case WM_CREATE: { hdc = GetDC(hwnd); scope(exit) ReleaseDC(hwnd, hdc); GetTextMetrics(hdc, &tm); cxChar = tm.tmAveCharWidth; cxCaps = (tm.tmPitchAndFamily & 1 ? 3 : 2) * cxChar / 2; cyChar = tm.tmHeight + tm.tmExternalLeading; // Save the width of the three columns iMaxWidth = 40 * cxChar + 22 * cxCaps; return 0; } case WM_SIZE: { cxClient = LOWORD(lParam); cyClient = HIWORD(lParam); apt[0].x = cxClient / 4; apt[0].y = cyClient / 2; apt[1].x = cxClient / 2; apt[1].y = cyClient / 4; apt[2].x = cxClient / 2; apt[2].y = 3 * cyClient / 4; apt[3].x = 3 * cxClient / 4; apt[3].y = cyClient / 2; return 0; } case WM_PAINT: { hdc = BeginPaint(hwnd, &ps); scope(exit) { EndPaint(hwnd, &ps); } SelectObject(hdc, GetStockObject(GRAY_BRUSH)); foreach (index; 0 .. 10) { apt[index].x = cxClient * aptFigure[index].x / 200; apt[index].y = cyClient * aptFigure[index].y / 100; } SetPolyFillMode(hdc, ALTERNATE); Polygon(hdc, apt.ptr, apt.length); foreach (index; 0 .. 10) { apt[index].x += cxClient / 2; } SetPolyFillMode(hdc, WINDING); Polygon(hdc, apt.ptr, apt.length); return 0; } case WM_DESTROY: PostQuitMessage(0); return 0; default: } return DefWindowProc(hwnd, message, wParam, lParam); } void DrawBezier(HDC hdc, POINT[4] apt) { PolyBezier(hdc, apt.ptr, apt.length); MoveToEx(hdc, apt[0].x, apt[0].y, NULL); LineTo(hdc, apt[1].x, apt[1].y); MoveToEx(hdc, apt[2].x, apt[2].y, NULL); LineTo(hdc, apt[3].x, apt[3].y); }
D
/**************************************************************************** ** ** Copyright (C) 2014 Digia Plc and/or its subsidiary(-ies). ** Contact: http://www.qt-project.org/legal ** ** This file is part of the QtCore 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 QtCore.qglobal; #define Q_DECLARE_SEQUENTIAL_ITERATOR(C) \ \ template <class T> \ extern(C++) class Q##C##Iterator \ { \ typedef typename Q##C<T>::const_iterator const_iterator; \ Q##C<T> c; \ const_iterator i; \ public: \ /+inline+/ Q##C##Iterator(ref const(Q##C<T>) container) \ : c(container), i(c.constBegin()) {} \ /+inline+/ Q##C##Iterator &operator=(ref const(Q##C<T>) container) \ { c = container; i = c.constBegin(); return *this; } \ /+inline+/ void toFront() { i = c.constBegin(); } \ /+inline+/ void toBack() { i = c.constEnd(); } \ /+inline+/ bool hasNext() const { return i != c.constEnd(); } \ /+inline+/ ref const(T) next() { return *i++; } \ /+inline+/ ref const(T) peekNext() const { return *i; } \ /+inline+/ bool hasPrevious() const { return i != c.constBegin(); } \ /+inline+/ ref const(T) previous() { return *--i; } \ /+inline+/ ref const(T) peekPrevious() const { const_iterator p = i; return *--p; } \ /+inline+/ bool findNext(ref const(T) t) \ { while (i != c.constEnd()) if (*i++ == t) return true; return false; } \ /+inline+/ bool findPrevious(ref const(T) t) \ { while (i != c.constBegin()) if (*(--i) == t) return true; \ return false; } \ } #define Q_DECLARE_MUTABLE_SEQUENTIAL_ITERATOR(C) \ \ template <class T> \ extern(C++) class QMutable##C##Iterator \ { \ typedef typename Q##C<T>::iterator iterator; \ typedef typename Q##C<T>::const_iterator const_iterator; \ Q##C<T> *c; \ iterator i, n; \ /+inline+/ bool item_exists() const { return const_iterator(n) != c->constEnd(); } \ public: \ /+inline+/ QMutable##C##Iterator(Q##C<T> &container) \ : c(&container) \ { i = c->begin(); n = c->end(); } \ /+inline+/ QMutable##C##Iterator &operator=(Q##C<T> &container) \ { c = &container; i = c->begin(); n = c->end(); return *this; } \ /+inline+/ void toFront() { i = c->begin(); n = c->end(); } \ /+inline+/ void toBack() { i = c->end(); n = i; } \ /+inline+/ bool hasNext() const { return c->constEnd() != const_iterator(i); } \ /+inline+/ T &next() { n = i++; return *n; } \ /+inline+/ T &peekNext() const { return *i; } \ /+inline+/ bool hasPrevious() const { return c->constBegin() != const_iterator(i); } \ /+inline+/ T &previous() { n = --i; return *n; } \ /+inline+/ T &peekPrevious() const { iterator p = i; return *--p; } \ /+inline+/ void remove() \ { if (c->constEnd() != const_iterator(n)) { i = c->erase(n); n = c->end(); } } \ /+inline+/ void setValue(ref const(T) t) const { if (c->constEnd() != const_iterator(n)) *n = t; } \ /+inline+/ T &value() { Q_ASSERT(item_exists()); return *n; } \ /+inline+/ ref const(T) value() const { Q_ASSERT(item_exists()); return *n; } \ /+inline+/ void insert(ref const(T) t) { n = i = c->insert(i, t); ++i; } \ /+inline+/ bool findNext(ref const(T) t) \ { while (c->constEnd() != const_iterator(n = i)) if (*i++ == t) return true; return false; } \ /+inline+/ bool findPrevious(ref const(T) t) \ { while (c->constBegin() != const_iterator(i)) if (*(n = --i) == t) return true; \ n = c->end(); return false; } \ } #define Q_DECLARE_ASSOCIATIVE_ITERATOR(C) \ \ template <class Key, extern(C++) class T> \ extern(C++) class Q##C##Iterator \ { \ typedef typename Q##C<Key,T>::const_iterator const_iterator; \ typedef const_iterator Item; \ Q##C<Key,T> c; \ const_iterator i, n; \ /+inline+/ bool item_exists() const { return n != c.constEnd(); } \ public: \ /+inline+/ Q##C##Iterator(ref const(Q##C<Key,T>) container) \ : c(container), i(c.constBegin()), n(c.constEnd()) {} \ /+inline+/ Q##C##Iterator &operator=(ref const(Q##C<Key,T>) container) \ { c = container; i = c.constBegin(); n = c.constEnd(); return *this; } \ /+inline+/ void toFront() { i = c.constBegin(); n = c.constEnd(); } \ /+inline+/ void toBack() { i = c.constEnd(); n = c.constEnd(); } \ /+inline+/ bool hasNext() const { return i != c.constEnd(); } \ /+inline+/ Item next() { n = i++; return n; } \ /+inline+/ Item peekNext() const { return i; } \ /+inline+/ bool hasPrevious() const { return i != c.constBegin(); } \ /+inline+/ Item previous() { n = --i; return n; } \ /+inline+/ Item peekPrevious() const { const_iterator p = i; return --p; } \ /+inline+/ ref const(T) value() const { Q_ASSERT(item_exists()); return *n; } \ /+inline+/ ref const(Key) key() const { Q_ASSERT(item_exists()); return n.key(); } \ /+inline+/ bool findNext(ref const(T) t) \ { while ((n = i) != c.constEnd()) if (*i++ == t) return true; return false; } \ /+inline+/ bool findPrevious(ref const(T) t) \ { while (i != c.constBegin()) if (*(n = --i) == t) return true; \ n = c.constEnd(); return false; } \ } #define Q_DECLARE_MUTABLE_ASSOCIATIVE_ITERATOR(C) \ \ template <class Key, extern(C++) class T> \ extern(C++) class QMutable##C##Iterator \ { \ typedef typename Q##C<Key,T>::iterator iterator; \ typedef typename Q##C<Key,T>::const_iterator const_iterator; \ typedef iterator Item; \ Q##C<Key,T> *c; \ iterator i, n; \ /+inline+/ bool item_exists() const { return const_iterator(n) != c->constEnd(); } \ public: \ /+inline+/ QMutable##C##Iterator(Q##C<Key,T> &container) \ : c(&container) \ { i = c->begin(); n = c->end(); } \ /+inline+/ QMutable##C##Iterator &operator=(Q##C<Key,T> &container) \ { c = &container; i = c->begin(); n = c->end(); return *this; } \ /+inline+/ void toFront() { i = c->begin(); n = c->end(); } \ /+inline+/ void toBack() { i = c->end(); n = c->end(); } \ /+inline+/ bool hasNext() const { return const_iterator(i) != c->constEnd(); } \ /+inline+/ Item next() { n = i++; return n; } \ /+inline+/ Item peekNext() const { return i; } \ /+inline+/ bool hasPrevious() const { return const_iterator(i) != c->constBegin(); } \ /+inline+/ Item previous() { n = --i; return n; } \ /+inline+/ Item peekPrevious() const { iterator p = i; return --p; } \ /+inline+/ void remove() \ { if (const_iterator(n) != c->constEnd()) { i = c->erase(n); n = c->end(); } } \ /+inline+/ void setValue(ref const(T) t) { if (const_iterator(n) != c->constEnd()) *n = t; } \ /+inline+/ T &value() { Q_ASSERT(item_exists()); return *n; } \ /+inline+/ ref const(T) value() const { Q_ASSERT(item_exists()); return *n; } \ /+inline+/ ref const(Key) key() const { Q_ASSERT(item_exists()); return n.key(); } \ /+inline+/ bool findNext(ref const(T) t) \ { while (const_iterator(n = i) != c->constEnd()) if (*i++ == t) return true; return false; } \ /+inline+/ bool findPrevious(ref const(T) t) \ { while (const_iterator(i) != c->constBegin()) if (*(n = --i) == t) return true; \ n = c->end(); return false; } \ } #endif // QITERATOR_H
D
Miners throughout the world have used strikes not only to achieve economic gains, but also to gain greater control over their industries and to achieve political ends. Miners in Poland, Romania and in every region of the Soviet Union have struck for higher wages and better living conditions and also and for more local control. In Poland, miners struck for legalization of Solidarity. In South Africa miners struck for better wages and working conditions and in the U.S. miners walked of f the job in sympathy for fellow miners in a bitter dispute with a coal company.
D
module android.java.android.bluetooth.BluetoothDevice; public import android.java.android.bluetooth.BluetoothDevice_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!BluetoothDevice; import import3 = android.java.android.bluetooth.BluetoothSocket; import import2 = android.java.android.os.ParcelUuid; import import9 = android.java.java.lang.Class; import import1 = android.java.android.bluetooth.BluetoothClass; import import5 = android.java.android.bluetooth.BluetoothGatt;
D
/Users/bindo123/code/rust/web/gotham/target/debug/deps/num_cpus-7a9b5de2c4795c0b.rmeta: /Users/bindo123/.cargo/registry/src/github.com-1ecc6299db9ec823/num_cpus-1.13.0/src/lib.rs /Users/bindo123/code/rust/web/gotham/target/debug/deps/libnum_cpus-7a9b5de2c4795c0b.rlib: /Users/bindo123/.cargo/registry/src/github.com-1ecc6299db9ec823/num_cpus-1.13.0/src/lib.rs /Users/bindo123/code/rust/web/gotham/target/debug/deps/num_cpus-7a9b5de2c4795c0b.d: /Users/bindo123/.cargo/registry/src/github.com-1ecc6299db9ec823/num_cpus-1.13.0/src/lib.rs /Users/bindo123/.cargo/registry/src/github.com-1ecc6299db9ec823/num_cpus-1.13.0/src/lib.rs:
D
prototype Mst_Default_SwampZombie(C_Npc) { name[0] = "Болотный труп"; guild = GIL_ZOMBIE; aivar[AIV_MM_REAL_ID] = ID_SWAMPZOMBIE; level = 25; attribute[ATR_STRENGTH] = 125; attribute[ATR_DEXTERITY] = 125; attribute[ATR_HITPOINTS_MAX] = 500; attribute[ATR_HITPOINTS] = 500; attribute[ATR_MANA_MAX] = 100; attribute[ATR_MANA] = 100; protection[PROT_BLUNT] = 100; protection[PROT_EDGE] = 100; protection[PROT_POINT] = 100; protection[PROT_FIRE] = 50; protection[PROT_FLY] = 50; protection[PROT_MAGIC] = 50; damagetype = DAM_EDGE; fight_tactic = FAI_ZOMBIE; senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL; senses_range = PERC_DIST_MONSTER_ACTIVE_MAX; aivar[AIV_MM_FollowTime] = FOLLOWTIME_MEDIUM; aivar[AIV_MM_FollowInWater] = FALSE; start_aistate = ZS_MM_AllScheduler; aivar[AIV_MM_RestStart] = OnlyRoutine; }; func void B_SetVisuals_SwampZombie() { // Mdl_SetVisual(self,"SwampZombie.mds"); Mdl_SetVisual(self,"Zombie.mds"); Mdl_SetVisualBody(self,"ZomSwamp_Body",0,0,"ZomSwamp_Head",3,DEFAULT,-1); }; instance SwampZombie(Mst_Default_SwampZombie) { B_SetVisuals_SwampZombie(); Npc_SetToFistMode(self); };
D
instance DIA_PAL_2510_ORIC_EXIT(C_Info) { npc = pal_2510_oric; nr = 999; condition = dia_pal_2510_oric_exit_condition; information = dia_pal_2510_oric_exit_info; permanent = TRUE; description = Dialog_Ende; }; func int dia_pal_2510_oric_exit_condition() { return TRUE; }; func void dia_pal_2510_oric_exit_info() { AI_StopProcessInfos(self); }; var int oricnewsnw; instance DIA_PAL_2510_ORIC_PERM(C_Info) { npc = pal_2510_oric; nr = 9; condition = dia_pal_2510_oric_perm_condition; information = dia_pal_2510_oric_perm_info; permanent = TRUE; description = "Nějaké novinky?"; }; func int dia_pal_2510_oric_perm_condition() { return TRUE; }; func void dia_pal_2510_oric_perm_info() { if(ORICNEWSNW == FALSE) { AI_Output(other,self,"DIA_PAL_2510_Oric_Perm_01_00"); //Nějaké novinky? AI_Output(self,other,"DIA_PAL_2510_Oric_Perm_01_01"); //Jo chlape... (směje se) A dobré. Jsme ještě všichni naživu! AI_Output(self,other,"DIA_PAL_2510_Oric_Perm_01_02"); //Abych řekl pravdu, nečekal jsem, že přežijeme takto dlouho. AI_Output(other,self,"DIA_PAL_2510_Oric_Perm_01_03"); //A jak vidíš stalo se! AI_Output(self,other,"DIA_PAL_2510_Oric_Perm_01_04"); //No dokud budeme mít štěstí! Doufám že nás v budoucnu neopustí. AI_Output(other,self,"DIA_PAL_2510_Oric_Perm_01_05"); //Samozřejmě. } else { AI_Output(self,other,"DIA_PAL_2510_Oric_Perm_01_06"); //Zatím. }; };
D
/Users/student/Desktop/UserLoginAndRegistration/DerivedData/Build/Intermediates/UserLoginAndRegistration.build/Debug-iphonesimulator/UserLoginAndRegistration.build/Objects-normal/x86_64/ForumPageViewController.o : /Users/student/Desktop/UserLoginAndRegistration/Download.swift /Users/student/Desktop/UserLoginAndRegistration/ThingsToDo/WhatToDoList-ReadMe.swift /Users/student/Desktop/UserLoginAndRegistration/ForumDataSource.swift /Users/student/Desktop/UserLoginAndRegistration/CommentDataSource.swift /Users/student/Desktop/UserLoginAndRegistration/AppDelegate.swift /Users/student/Desktop/UserLoginAndRegistration/BaseCell.swift /Users/student/Desktop/UserLoginAndRegistration/SettingCell.swift /Users/student/Desktop/UserLoginAndRegistration/ForumTableViewCell.swift /Users/student/Desktop/UserLoginAndRegistration/CommentTableViewCell.swift /Users/student/Desktop/UserLoginAndRegistration/Forum.swift /Users/student/Desktop/UserLoginAndRegistration/UserInformation/UserInformation.swift /Users/student/Desktop/UserLoginAndRegistration/BottomMenuBar.swift /Users/student/Desktop/UserLoginAndRegistration/SettingLauncher.swift /Users/student/Desktop/UserLoginAndRegistration/ViewController.swift /Users/student/Desktop/UserLoginAndRegistration/ForumPageViewController.swift /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/RegisterPageViewController.swift /Users/student/Desktop/UserLoginAndRegistration/MessageTableViewController.swift /Users/student/Desktop/UserLoginAndRegistration/ForumTableViewController.swift /Users/student/Desktop/UserLoginAndRegistration/CommentTableViewController.swift /Users/student/Desktop/UserLoginAndRegistration/NewForumViewController.swift /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/LoginViewController.swift /Users/student/Desktop/UserLoginAndRegistration/AboutUsViewController.swift /Users/student/Desktop/UserLoginAndRegistration/ForumDetailsViewController.swift /Users/student/Desktop/UserLoginAndRegistration/CatagoryViewController.swift /Users/student/Desktop/UserLoginAndRegistration/Extensions.swift /Users/student/Desktop/UserLoginAndRegistration/DownloadComments.swift /Users/student/Desktop/UserLoginAndRegistration/Comment.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/student/Desktop/UserLoginAndRegistration/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorage.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FirebaseCore.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/student/Desktop/UserLoginAndRegistration/Pods/Firebase/Core/Sources/Firebase.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuth.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRApp.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRApp.h /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/UserLoginAndRegistration-Bridging-Header.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/SWRevealViewController.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUser.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIROptions.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIROptions.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRCoreSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/student/Desktop/UserLoginAndRegistration/Pods/Firebase/Core/Sources/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/DerivedData/Build/Intermediates/UserLoginAndRegistration.build/Debug-iphonesimulator/UserLoginAndRegistration.build/Objects-normal/x86_64/ForumPageViewController~partial.swiftmodule : /Users/student/Desktop/UserLoginAndRegistration/Download.swift /Users/student/Desktop/UserLoginAndRegistration/ThingsToDo/WhatToDoList-ReadMe.swift /Users/student/Desktop/UserLoginAndRegistration/ForumDataSource.swift /Users/student/Desktop/UserLoginAndRegistration/CommentDataSource.swift /Users/student/Desktop/UserLoginAndRegistration/AppDelegate.swift /Users/student/Desktop/UserLoginAndRegistration/BaseCell.swift /Users/student/Desktop/UserLoginAndRegistration/SettingCell.swift /Users/student/Desktop/UserLoginAndRegistration/ForumTableViewCell.swift /Users/student/Desktop/UserLoginAndRegistration/CommentTableViewCell.swift /Users/student/Desktop/UserLoginAndRegistration/Forum.swift /Users/student/Desktop/UserLoginAndRegistration/UserInformation/UserInformation.swift /Users/student/Desktop/UserLoginAndRegistration/BottomMenuBar.swift /Users/student/Desktop/UserLoginAndRegistration/SettingLauncher.swift /Users/student/Desktop/UserLoginAndRegistration/ViewController.swift /Users/student/Desktop/UserLoginAndRegistration/ForumPageViewController.swift /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/RegisterPageViewController.swift /Users/student/Desktop/UserLoginAndRegistration/MessageTableViewController.swift /Users/student/Desktop/UserLoginAndRegistration/ForumTableViewController.swift /Users/student/Desktop/UserLoginAndRegistration/CommentTableViewController.swift /Users/student/Desktop/UserLoginAndRegistration/NewForumViewController.swift /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/LoginViewController.swift /Users/student/Desktop/UserLoginAndRegistration/AboutUsViewController.swift /Users/student/Desktop/UserLoginAndRegistration/ForumDetailsViewController.swift /Users/student/Desktop/UserLoginAndRegistration/CatagoryViewController.swift /Users/student/Desktop/UserLoginAndRegistration/Extensions.swift /Users/student/Desktop/UserLoginAndRegistration/DownloadComments.swift /Users/student/Desktop/UserLoginAndRegistration/Comment.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/student/Desktop/UserLoginAndRegistration/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorage.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FirebaseCore.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/student/Desktop/UserLoginAndRegistration/Pods/Firebase/Core/Sources/Firebase.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuth.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRApp.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRApp.h /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/UserLoginAndRegistration-Bridging-Header.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/SWRevealViewController.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUser.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIROptions.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIROptions.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRCoreSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/student/Desktop/UserLoginAndRegistration/Pods/Firebase/Core/Sources/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/DerivedData/Build/Intermediates/UserLoginAndRegistration.build/Debug-iphonesimulator/UserLoginAndRegistration.build/Objects-normal/x86_64/ForumPageViewController~partial.swiftdoc : /Users/student/Desktop/UserLoginAndRegistration/Download.swift /Users/student/Desktop/UserLoginAndRegistration/ThingsToDo/WhatToDoList-ReadMe.swift /Users/student/Desktop/UserLoginAndRegistration/ForumDataSource.swift /Users/student/Desktop/UserLoginAndRegistration/CommentDataSource.swift /Users/student/Desktop/UserLoginAndRegistration/AppDelegate.swift /Users/student/Desktop/UserLoginAndRegistration/BaseCell.swift /Users/student/Desktop/UserLoginAndRegistration/SettingCell.swift /Users/student/Desktop/UserLoginAndRegistration/ForumTableViewCell.swift /Users/student/Desktop/UserLoginAndRegistration/CommentTableViewCell.swift /Users/student/Desktop/UserLoginAndRegistration/Forum.swift /Users/student/Desktop/UserLoginAndRegistration/UserInformation/UserInformation.swift /Users/student/Desktop/UserLoginAndRegistration/BottomMenuBar.swift /Users/student/Desktop/UserLoginAndRegistration/SettingLauncher.swift /Users/student/Desktop/UserLoginAndRegistration/ViewController.swift /Users/student/Desktop/UserLoginAndRegistration/ForumPageViewController.swift /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/RegisterPageViewController.swift /Users/student/Desktop/UserLoginAndRegistration/MessageTableViewController.swift /Users/student/Desktop/UserLoginAndRegistration/ForumTableViewController.swift /Users/student/Desktop/UserLoginAndRegistration/CommentTableViewController.swift /Users/student/Desktop/UserLoginAndRegistration/NewForumViewController.swift /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/LoginViewController.swift /Users/student/Desktop/UserLoginAndRegistration/AboutUsViewController.swift /Users/student/Desktop/UserLoginAndRegistration/ForumDetailsViewController.swift /Users/student/Desktop/UserLoginAndRegistration/CatagoryViewController.swift /Users/student/Desktop/UserLoginAndRegistration/Extensions.swift /Users/student/Desktop/UserLoginAndRegistration/DownloadComments.swift /Users/student/Desktop/UserLoginAndRegistration/Comment.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/student/Desktop/UserLoginAndRegistration/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorage.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FirebaseCore.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/student/Desktop/UserLoginAndRegistration/Pods/Firebase/Core/Sources/Firebase.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuth.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsConfiguration.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRApp.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRApp.h /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/UserLoginAndRegistration-Bridging-Header.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/student/Desktop/UserLoginAndRegistration/UserLoginAndRegistration/SWRevealViewController.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUser.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIROptions.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIROptions.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRCoreSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsSwiftNameSupport.h /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/student/Desktop/UserLoginAndRegistration/Pods/Firebase/Core/Sources/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Modules/module.modulemap /Users/student/Desktop/UserLoginAndRegistration/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap
D
/** * A scene graph $(D Drawable) that displays text. * * License: $(LINK2 http://opensource.org/licenses/zlib-license, Zlib License). * * Authors: Leandro Motta Barros */ module fewdee.sg.text; import std.string; import allegro5.allegro; import allegro5.allegro_font; import fewdee.aabb; import fewdee.color; import fewdee.font; import fewdee.sg.drawable; import fewdee.internal.default_implementations; /// A scene graph $(D Drawable) that displays text. public class Text: Drawable { mixin PositionableDefaultImplementation!"dirtyAABB();"; mixin ColorableDefaultImplementation; /// An enumeration of the possible text alignments. public enum Alignment { /// Left-align the text. LEFT = ALLEGRO_ALIGN_LEFT, /// Center the text. CENTER = ALLEGRO_ALIGN_CENTRE, /// Right-align the text. RIGHT = ALLEGRO_ALIGN_RIGHT, } /** * Constructs the $(D Text) object. * * Parameters: * font = The font to use to when drawing the text. * text = Text to use when drawing the text. */ this(Font font, string text) in { assert(font !is null); } body { _font = font; _text = text; } /// Draws the text to the current target bitmap. public override void draw() { _font.drawText(_text, x, y, color, _alignment,); } /// The text alignment. public final @property Alignment alignment() const { return _alignment; } /// Ditto public final @property void alignment(Alignment alignment) { _alignment = alignment; dirtyAABB(); } // Inherit docs. protected override void recomputeAABB(ref AABB aabb) { int bbx, bby, bbw, bbh, ascent, descent; al_get_text_dimensions(_font, _text.toStringz, &bbx, &bby, &bbw, &bbh, &ascent, &descent); float dx; final switch(alignment) { case Alignment.LEFT: dx = 0.0; break; case Alignment.RIGHT: dx = bbw; break; case Alignment.CENTER: dx = bbw / 2.0; break; } auto bbl = x + bbx - dx; auto bbr = bbl + bbw; auto bbt = y + bby; auto bbb = bbt + bbh; aabb = AABB(bbt, bbb, bbl, bbr); } /// The font used to draw the text. private Font _font; /// The text itself. private string _text; /// The text alignment. private Alignment _alignment = Alignment.LEFT; }
D
// Written in the D programming language. /** Utilities for manipulating files and scanning directories. Functions in this module handle files as a unit, e.g., read or write one _file at a time. For opening files and manipulating them via handles refer to module $(MREF std, stdio). Macros: WIKI = Phobos/StdFile Copyright: Copyright Digital Mars 2007 - 2011. See_Also: The $(WEB ddili.org/ders/d.en/files.html, official tutorial) for an introduction to working with files in D, module $(MREF std, stdio) for opening files and manipulating them via handles, and module $(MREF std, path) for manipulating path strings. License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: $(WEB digitalmars.com, Walter Bright), $(WEB erdani.org, Andrei Alexandrescu), Jonathan M Davis Source: $(PHOBOSSRC std/_file.d) */ module std.file; import core.stdc.stdlib, core.stdc.string, core.stdc.errno; import std.conv; import std.datetime; import std.exception; import std.meta; import std.path; import std.range.primitives; import std.traits; import std.typecons; import std.internal.cstring; version (Windows) { import core.sys.windows.windows, std.windows.syserror; } else version (Posix) { import core.sys.posix.dirent, core.sys.posix.fcntl, core.sys.posix.sys.stat, core.sys.posix.sys.time, core.sys.posix.unistd, core.sys.posix.utime; } else static assert(false, "Module " ~ .stringof ~ " not implemented for this OS."); // Character type used for operating system filesystem APIs version (Windows) { private alias FSChar = wchar; } else version (Posix) { private alias FSChar = char; } else static assert(0); package @property string deleteme() @safe { import std.process : thisProcessID; static _deleteme = "deleteme.dmd.unittest.pid"; static _first = true; if (_first) { _deleteme = buildPath(tempDir(), _deleteme) ~ to!string(thisProcessID); _first = false; } return _deleteme; } version (unittest) private struct TestAliasedString { string get() @safe @nogc pure nothrow { return _s; } alias get this; @disable this(this); string _s; } version(Android) { package enum system_directory = "/system/etc"; package enum system_file = "/system/etc/hosts"; } else version(Posix) { package enum system_directory = "/usr/include"; package enum system_file = "/usr/include/assert.h"; } /++ Exception thrown for file I/O errors. +/ class FileException : Exception { /++ OS error code. +/ immutable uint errno; /++ Constructor which takes an error message. Params: name = Name of file for which the error occurred. msg = Message describing the error. file = The file where the error occurred. line = The line where the error occurred. +/ this(in char[] name, in char[] msg, string file = __FILE__, size_t line = __LINE__) @safe pure { if (msg.empty) super(name.idup, file, line); else super(text(name, ": ", msg), file, line); errno = 0; } /++ Constructor which takes the error number ($(LUCKY GetLastError) in Windows, $(D_PARAM errno) in Posix). Params: name = Name of file for which the error occurred. errno = The error number. file = The file where the error occurred. Defaults to $(D __FILE__). line = The line where the error occurred. Defaults to $(D __LINE__). +/ version(Windows) this(in char[] name, uint errno = .GetLastError(), string file = __FILE__, size_t line = __LINE__) @safe { this(name, sysErrorString(errno), file, line); this.errno = errno; } else version(Posix) this(in char[] name, uint errno = .errno, string file = __FILE__, size_t line = __LINE__) @trusted { auto s = strerror(errno); this(name, to!string(s), file, line); this.errno = errno; } } private T cenforce(T)(T condition, lazy const(char)[] name, string file = __FILE__, size_t line = __LINE__) { if (condition) return condition; version (Windows) { throw new FileException(name, .GetLastError(), file, line); } else version (Posix) { throw new FileException(name, .errno, file, line); } } version (Windows) @trusted private T cenforce(T)(T condition, const(char)[] name, const(FSChar)* namez, string file = __FILE__, size_t line = __LINE__) { if (condition) return condition; if (!name) { import core.stdc.wchar_ : wcslen; import std.conv : to; auto len = wcslen(namez); name = to!string(namez[0 .. len]); } throw new FileException(name, .GetLastError(), file, line); } version (Posix) @trusted private T cenforce(T)(T condition, const(char)[] name, const(FSChar)* namez, string file = __FILE__, size_t line = __LINE__) { if (condition) return condition; if (!name) { import core.stdc.string : strlen; auto len = strlen(namez); name = namez[0 .. len].idup; } throw new FileException(name, .errno, file, line); } /* ********************************** * Basic File operations. */ /******************************************** Read entire contents of file $(D name) and returns it as an untyped array. If the file size is larger than $(D upTo), only $(D upTo) bytes are read. Params: name = string or range of characters representing the file _name upTo = if present, the maximum number of bytes to read Returns: Untyped array of bytes _read. Throws: $(LREF FileException) on error. */ void[] read(R)(R name, size_t upTo = size_t.max) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) return readImpl(name, name.tempCString!FSChar(), upTo); else return readImpl(null, name.tempCString!FSChar(), upTo); } /// @safe unittest { import std.utf : byChar; scope(exit) { assert(exists(deleteme)); remove(deleteme); } write(deleteme, "1234"); // deleteme is the name of a temporary file assert(read(deleteme, 2) == "12"); assert(read(deleteme.byChar) == "1234"); assert((cast(ubyte[])read(deleteme)).length == 4); } void[] read(R)(auto ref R name, size_t upTo = size_t.max) if (isConvertibleToString!R) { return read!(StringTypeOf!R)(name, upTo); } unittest { static assert(__traits(compiles, read(TestAliasedString(null)))); } version (Posix) private void[] readImpl(const(char)[] name, const(FSChar)* namez, size_t upTo = size_t.max) @trusted { import std.algorithm : min; import std.array : uninitializedArray; import core.memory : GC; // A few internal configuration parameters { enum size_t minInitialAlloc = 1024 * 4, maxInitialAlloc = size_t.max / 2, sizeIncrement = 1024 * 16, maxSlackMemoryAllowed = 1024; // } immutable fd = core.sys.posix.fcntl.open(namez, core.sys.posix.fcntl.O_RDONLY); cenforce(fd != -1, name); scope(exit) core.sys.posix.unistd.close(fd); stat_t statbuf = void; cenforce(fstat(fd, &statbuf) == 0, name, namez); immutable initialAlloc = min(upTo, to!size_t(statbuf.st_size ? min(statbuf.st_size + 1, maxInitialAlloc) : minInitialAlloc)); void[] result = uninitializedArray!(ubyte[])(initialAlloc); scope(failure) delete result; size_t size = 0; for (;;) { immutable actual = core.sys.posix.unistd.read(fd, result.ptr + size, min(result.length, upTo) - size); cenforce(actual != -1, name, namez); if (actual == 0) break; size += actual; if (size >= upTo) break; if (size < result.length) continue; immutable newAlloc = size + sizeIncrement; result = GC.realloc(result.ptr, newAlloc, GC.BlkAttr.NO_SCAN)[0 .. newAlloc]; } return result.length - size >= maxSlackMemoryAllowed ? GC.realloc(result.ptr, size, GC.BlkAttr.NO_SCAN)[0 .. size] : result[0 .. size]; } version (Windows) private void[] readImpl(const(char)[] name, const(FSChar)* namez, size_t upTo = size_t.max) @safe { import std.algorithm : min; import std.array : uninitializedArray; static trustedCreateFileW(const(wchar)* namez, DWORD dwDesiredAccess, DWORD dwShareMode, SECURITY_ATTRIBUTES *lpSecurityAttributes, DWORD dwCreationDisposition, DWORD dwFlagsAndAttributes, HANDLE hTemplateFile) @trusted { return CreateFileW(namez, dwDesiredAccess, dwShareMode, lpSecurityAttributes, dwCreationDisposition, dwFlagsAndAttributes, hTemplateFile); } static trustedCloseHandle(HANDLE hObject) @trusted { return CloseHandle(hObject); } static trustedGetFileSize(HANDLE hFile, out ulong fileSize) @trusted { DWORD sizeHigh; DWORD sizeLow = GetFileSize(hFile, &sizeHigh); bool result = sizeLow != INVALID_FILE_SIZE; if (result) fileSize = makeUlong(sizeLow, sizeHigh); return result; } static trustedReadFile(HANDLE hFile, void *lpBuffer, ulong nNumberOfBytesToRead) @trusted { // Read by chunks of size < 4GB (Windows API limit) ulong totalNumRead = 0; while (totalNumRead != nNumberOfBytesToRead) { uint chunkSize = min(nNumberOfBytesToRead - totalNumRead, 0xffff_0000); DWORD numRead = void; auto result = ReadFile(hFile, lpBuffer + totalNumRead, chunkSize, &numRead, null); if (result == 0 || numRead != chunkSize) return false; totalNumRead += chunkSize; } return true; } alias defaults = AliasSeq!(GENERIC_READ, FILE_SHARE_READ | FILE_SHARE_WRITE, (SECURITY_ATTRIBUTES*).init, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL | FILE_FLAG_SEQUENTIAL_SCAN, HANDLE.init); auto h = trustedCreateFileW(namez, defaults); cenforce(h != INVALID_HANDLE_VALUE, name, namez); scope(exit) cenforce(trustedCloseHandle(h), name, namez); ulong fileSize = void; cenforce(trustedGetFileSize(h, fileSize), name, namez); size_t size = min(upTo, fileSize); auto buf = uninitializedArray!(ubyte[])(size); scope(failure) delete buf; cenforce(trustedReadFile(h, buf.ptr, size), name, namez); return buf[0 .. size]; } version (linux) @safe unittest { // A file with "zero" length that doesn't have 0 length at all auto s = std.file.readText("/proc/sys/kernel/osrelease"); assert(s.length > 0); //writefln("'%s'", s); } @safe unittest { scope(exit) if (exists(deleteme)) remove(deleteme); import std.stdio; auto f = File(deleteme, "w"); f.write("abcd"); f.flush(); assert(read(deleteme) == "abcd"); } /******************************************** Read and validates (using $(XREF utf, validate)) a text file. $(D S) can be a type of array of characters of any width and constancy. No width conversion is performed; if the width of the characters in file $(D name) is different from the width of elements of $(D S), validation will fail. Params: name = string or range of characters representing the file _name Returns: Array of characters read. Throws: $(D FileException) on file error, $(D UTFException) on UTF decoding error. */ S readText(S = string, R)(R name) if (isSomeString!S && (isInputRange!R && isSomeChar!(ElementEncodingType!R) || isSomeString!R) && !isConvertibleToString!R) { import std.utf : validate; static auto trustedCast(void[] buf) @trusted { return cast(S)buf; } auto result = trustedCast(read(name)); validate(result); return result; } /// @safe unittest { import std.string; write(deleteme, "abc\n"); // deleteme is the name of a temporary file scope(exit) { assert(exists(deleteme)); remove(deleteme); } enforce(chomp(readText(deleteme)) == "abc"); } S readText(S = string, R)(auto ref R name) if (isConvertibleToString!R) { return readText!(S, StringTypeOf!R)(name); } unittest { static assert(__traits(compiles, readText(TestAliasedString(null)))); } /********************************************* Write $(D buffer) to file $(D name). Params: name = string or range of characters representing the file _name buffer = data to be written to file Throws: $(D FileException) on error. See_also: $(XREF stdio,toFile) */ void write(R)(R name, const void[] buffer) if ((isInputRange!R && isSomeChar!(ElementEncodingType!R) || isSomeString!R) && !isConvertibleToString!R) { static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) writeImpl(name, name.tempCString!FSChar(), buffer, false); else writeImpl(null, name.tempCString!FSChar(), buffer, false); } /// unittest { scope(exit) { assert(exists(deleteme)); remove(deleteme); } int[] a = [ 0, 1, 1, 2, 3, 5, 8 ]; write(deleteme, a); // deleteme is the name of a temporary file assert(cast(int[]) read(deleteme) == a); } void write(R)(auto ref R name, const void[] buffer) if (isConvertibleToString!R) { write!(StringTypeOf!R)(name, buffer); } unittest { static assert(__traits(compiles, write(TestAliasedString(null), null))); } /********************************************* Appends $(D buffer) to file $(D name). Params: name = string or range of characters representing the file _name buffer = data to be appended to file Throws: $(D FileException) on error. */ void append(R)(R name, const void[] buffer) if ((isInputRange!R && isSomeChar!(ElementEncodingType!R) || isSomeString!R) && !isConvertibleToString!R) { static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) writeImpl(name, name.tempCString!FSChar(), buffer, true); else writeImpl(null, name.tempCString!FSChar(), buffer, true); } /// unittest { scope(exit) { assert(exists(deleteme)); remove(deleteme); } int[] a = [ 0, 1, 1, 2, 3, 5, 8 ]; write(deleteme, a); // deleteme is the name of a temporary file int[] b = [ 13, 21 ]; append(deleteme, b); assert(cast(int[]) read(deleteme) == a ~ b); } void append(R)(auto ref R name, const void[] buffer) if (isConvertibleToString!R) { append!(StringTypeOf!R)(name, buffer); } unittest { static assert(__traits(compiles, append(TestAliasedString("foo"), [0, 1, 2, 3]))); } // Posix implementation helper for write and append version(Posix) private void writeImpl(const(char)[] name, const(FSChar)* namez, in void[] buffer, bool append) @trusted { // append or write auto mode = append ? O_CREAT | O_WRONLY | O_APPEND : O_CREAT | O_WRONLY | O_TRUNC; immutable fd = core.sys.posix.fcntl.open(namez, mode, octal!666); cenforce(fd != -1, name, namez); { scope(failure) core.sys.posix.unistd.close(fd); immutable size = buffer.length; size_t sum, cnt = void; while (sum != size) { cnt = (size - sum < 2^^30) ? (size - sum) : 2^^30; auto numwritten = core.sys.posix.unistd.write(fd, buffer.ptr + sum, cnt); if (numwritten != cnt) break; sum += numwritten; } cenforce(sum == size, name, namez); } cenforce(core.sys.posix.unistd.close(fd) == 0, name, namez); } // Windows implementation helper for write and append version(Windows) private void writeImpl(const(char)[] name, const(FSChar)* namez, in void[] buffer, bool append) @trusted { HANDLE h; if (append) { alias defaults = AliasSeq!(GENERIC_WRITE, 0, null, OPEN_ALWAYS, FILE_ATTRIBUTE_NORMAL | FILE_FLAG_SEQUENTIAL_SCAN, HANDLE.init); h = CreateFileW(namez, defaults); cenforce(h != INVALID_HANDLE_VALUE, name, namez); cenforce(SetFilePointer(h, 0, null, FILE_END) != INVALID_SET_FILE_POINTER, name, namez); } else // write { alias defaults = AliasSeq!(GENERIC_WRITE, 0, null, CREATE_ALWAYS, FILE_ATTRIBUTE_NORMAL | FILE_FLAG_SEQUENTIAL_SCAN, HANDLE.init); h = CreateFileW(namez, defaults); cenforce(h != INVALID_HANDLE_VALUE, name, namez); } immutable size = buffer.length; size_t sum, cnt = void; DWORD numwritten = void; while (sum != size) { cnt = (size - sum < 2^^30) ? (size - sum) : 2^^30; WriteFile(h, buffer.ptr + sum, cast(uint) cnt, &numwritten, null); if (numwritten != cnt) break; sum += numwritten; } cenforce(sum == size && CloseHandle(h), name, namez); } /*************************************************** * Rename file $(D from) to $(D to). * If the target file exists, it is overwritten. * Params: * from = string or range of characters representing the existing file name * to = string or range of characters representing the target file name * Throws: $(D FileException) on error. */ void rename(RF, RT)(RF from, RT to) if ((isInputRange!RF && isSomeChar!(ElementEncodingType!RF) || isSomeString!RF) && !isConvertibleToString!RF && (isInputRange!RT && isSomeChar!(ElementEncodingType!RT) || isSomeString!RT) && !isConvertibleToString!RT) { // Place outside of @trusted block auto fromz = from.tempCString!FSChar(); auto toz = to.tempCString!FSChar(); static if (isNarrowString!RF && is(Unqual!(ElementEncodingType!RF) == char)) alias f = from; else enum string f = null; static if (isNarrowString!RT && is(Unqual!(ElementEncodingType!RT) == char)) alias t = to; else enum string t = null; renameImpl(f, t, fromz, toz); } void rename(RF, RT)(auto ref RF from, auto ref RT to) if (isConvertibleToString!RF || isConvertibleToString!RT) { import std.meta : staticMap; alias Types = staticMap!(convertToString, RF, RT); rename!Types(from, to); } unittest { static assert(__traits(compiles, rename(TestAliasedString(null), TestAliasedString(null)))); static assert(__traits(compiles, rename("", TestAliasedString(null)))); static assert(__traits(compiles, rename(TestAliasedString(null), ""))); import std.utf : byChar; static assert(__traits(compiles, rename(TestAliasedString(null), "".byChar))); } private void renameImpl(const(char)[] f, const(char)[] t, const(FSChar)* fromz, const(FSChar)* toz) @trusted { version(Windows) { auto result = MoveFileExW(fromz, toz, MOVEFILE_REPLACE_EXISTING); if (!result) { import core.stdc.wchar_ : wcslen; import std.conv : to; if (!f) f = to!(typeof(f))(fromz[0 .. wcslen(fromz)]); if (!t) t = to!(typeof(t))(toz[0 .. wcslen(toz)]); enforce(false, new FileException( text("Attempting to rename file ", f, " to ", t))); } } else version(Posix) { import core.stdc.stdio; cenforce(core.stdc.stdio.rename(fromz, toz) == 0, t, toz); } } @safe unittest { import std.utf : byWchar; auto t1 = deleteme, t2 = deleteme~"2"; scope(exit) foreach (t; [t1, t2]) if (t.exists) t.remove(); write(t1, "1"); rename(t1, t2); assert(readText(t2) == "1"); write(t1, "2"); rename(t1, t2.byWchar); assert(readText(t2) == "2"); } /*************************************************** Delete file $(D name). Params: name = string or range of characters representing the file name Throws: $(D FileException) on error. */ void remove(R)(R name) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) removeImpl(name, name.tempCString!FSChar()); else removeImpl(null, name.tempCString!FSChar()); } void remove(R)(auto ref R name) if (isConvertibleToString!R) { remove!(StringTypeOf!R)(name); } unittest { static assert(__traits(compiles, remove(TestAliasedString("foo")))); } private void removeImpl(const(char)[] name, const(FSChar)* namez) @trusted { version(Windows) { cenforce(DeleteFileW(namez), name, namez); } else version(Posix) { import core.stdc.stdio; if (!name) { import core.stdc.string : strlen; auto len = strlen(namez); name = namez[0 .. len]; } cenforce(core.stdc.stdio.remove(namez) == 0, "Failed to remove file " ~ name); } } version(Windows) private WIN32_FILE_ATTRIBUTE_DATA getFileAttributesWin(R)(R name) if (isInputRange!R && isSomeChar!(ElementEncodingType!R)) { auto namez = name.tempCString!FSChar(); WIN32_FILE_ATTRIBUTE_DATA fad = void; static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) { static void getFA(const(char)[] name, const(FSChar)* namez, out WIN32_FILE_ATTRIBUTE_DATA fad) @trusted { enforce(GetFileAttributesExW(namez, GET_FILEEX_INFO_LEVELS.GetFileExInfoStandard, &fad), new FileException(name.idup)); } getFA(name, namez, fad); } else { static void getFA(const(FSChar)* namez, out WIN32_FILE_ATTRIBUTE_DATA fad) @trusted { import core.stdc.wchar_ : wcslen; import std.conv : to; enforce(GetFileAttributesExW(namez, GET_FILEEX_INFO_LEVELS.GetFileExInfoStandard, &fad), new FileException(namez[0 .. wcslen(namez)].to!string)); } getFA(namez, fad); } return fad; } version(Windows) private ulong makeUlong(DWORD dwLow, DWORD dwHigh) @safe pure nothrow @nogc { ULARGE_INTEGER li; li.LowPart = dwLow; li.HighPart = dwHigh; return li.QuadPart; } /*************************************************** Get size of file $(D name) in bytes. Params: name = string or range of characters representing the file name Throws: $(D FileException) on error (e.g., file not found). */ ulong getSize(R)(R name) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { version(Windows) { with (getFileAttributesWin(name)) return makeUlong(nFileSizeLow, nFileSizeHigh); } else version(Posix) { auto namez = name.tempCString(); static trustedStat(const(FSChar)* namez, out stat_t buf) @trusted { return stat(namez, &buf); } static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; stat_t statbuf = void; cenforce(trustedStat(namez, statbuf) == 0, names, namez); return statbuf.st_size; } } ulong getSize(R)(auto ref R name) if (isConvertibleToString!R) { return getSize!(StringTypeOf!R)(name); } unittest { static assert(__traits(compiles, getSize(TestAliasedString("foo")))); } @safe unittest { // create a file of size 1 write(deleteme, "a"); scope(exit) { assert(exists(deleteme)); remove(deleteme); } assert(getSize(deleteme) == 1); // create a file of size 3 write(deleteme, "abc"); import std.utf : byChar; assert(getSize(deleteme.byChar) == 3); } // Reads a time field from a stat_t with full precision. version(Posix) private SysTime statTimeToStdTime(char which)(ref stat_t statbuf) { auto unixTime = mixin(`statbuf.st_` ~ which ~ `time`); long stdTime = unixTimeToStdTime(unixTime); static if (is(typeof(mixin(`statbuf.st_` ~ which ~ `tim`)))) stdTime += mixin(`statbuf.st_` ~ which ~ `tim.tv_nsec`) / 100; else static if (is(typeof(mixin(`statbuf.st_` ~ which ~ `timensec`)))) stdTime += mixin(`statbuf.st_` ~ which ~ `timensec`) / 100; else static if (is(typeof(mixin(`statbuf.st_` ~ which ~ `time_nsec`)))) stdTime += mixin(`statbuf.st_` ~ which ~ `time_nsec`) / 100; else static if (is(typeof(mixin(`statbuf.__st_` ~ which ~ `timensec`)))) stdTime += mixin(`statbuf.__st_` ~ which ~ `timensec`) / 100; return SysTime(stdTime); } /++ Get the access and modified times of file or folder $(D name). Params: name = File/Folder name to get times for. accessTime = Time the file/folder was last accessed. modificationTime = Time the file/folder was last modified. Throws: $(D FileException) on error. +/ void getTimes(R)(R name, out SysTime accessTime, out SysTime modificationTime) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { version(Windows) { with (getFileAttributesWin(name)) { accessTime = FILETIMEToSysTime(&ftLastAccessTime); modificationTime = FILETIMEToSysTime(&ftLastWriteTime); } } else version(Posix) { auto namez = name.tempCString(); static auto trustedStat(const(FSChar)* namez, ref stat_t buf) @trusted { return stat(namez, &buf); } stat_t statbuf = void; static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; cenforce(trustedStat(namez, statbuf) == 0, names, namez); accessTime = statTimeToStdTime!'a'(statbuf); modificationTime = statTimeToStdTime!'m'(statbuf); } } void getTimes(R)(auto ref R name, out SysTime accessTime, out SysTime modificationTime) if (isConvertibleToString!R) { return getTimes!(StringTypeOf!R)(name, accessTime, modificationTime); } unittest { SysTime atime, mtime; static assert(__traits(compiles, getTimes(TestAliasedString("foo"), atime, mtime))); } unittest { import std.stdio : writefln; auto currTime = Clock.currTime(); write(deleteme, "a"); scope(exit) { assert(exists(deleteme)); remove(deleteme); } SysTime accessTime1 = void; SysTime modificationTime1 = void; getTimes(deleteme, accessTime1, modificationTime1); enum leeway = dur!"seconds"(5); { auto diffa = accessTime1 - currTime; auto diffm = modificationTime1 - currTime; scope(failure) writefln("[%s] [%s] [%s] [%s] [%s]", accessTime1, modificationTime1, currTime, diffa, diffm); assert(abs(diffa) <= leeway); assert(abs(diffm) <= leeway); } version(fullFileTests) { import core.thread; enum sleepTime = dur!"seconds"(2); Thread.sleep(sleepTime); currTime = Clock.currTime(); write(deleteme, "b"); SysTime accessTime2 = void; SysTime modificationTime2 = void; getTimes(deleteme, accessTime2, modificationTime2); { auto diffa = accessTime2 - currTime; auto diffm = modificationTime2 - currTime; scope(failure) writefln("[%s] [%s] [%s] [%s] [%s]", accessTime2, modificationTime2, currTime, diffa, diffm); //There is no guarantee that the access time will be updated. assert(abs(diffa) <= leeway + sleepTime); assert(abs(diffm) <= leeway); } assert(accessTime1 <= accessTime2); assert(modificationTime1 <= modificationTime2); } } version(StdDdoc) { /++ $(BLUE This function is Windows-Only.) Get creation/access/modified times of file $(D name). This is the same as $(D getTimes) except that it also gives you the file creation time - which isn't possible on Posix systems. Params: name = File name to get times for. fileCreationTime = Time the file was created. fileAccessTime = Time the file was last accessed. fileModificationTime = Time the file was last modified. Throws: $(D FileException) on error. +/ void getTimesWin(R)(R name, out SysTime fileCreationTime, out SysTime fileAccessTime, out SysTime fileModificationTime) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R); } else version(Windows) { void getTimesWin(R)(R name, out SysTime fileCreationTime, out SysTime fileAccessTime, out SysTime fileModificationTime) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { with (getFileAttributesWin(name)) { fileCreationTime = std.datetime.FILETIMEToSysTime(&ftCreationTime); fileAccessTime = std.datetime.FILETIMEToSysTime(&ftLastAccessTime); fileModificationTime = std.datetime.FILETIMEToSysTime(&ftLastWriteTime); } } void getTimesWin(R)(auto ref R name, out SysTime fileCreationTime, out SysTime fileAccessTime, out SysTime fileModificationTime) if (isConvertibleToString!R) { getTimesWin!(StringTypeOf!R)(name, fileCreationTime, fileAccessTime, fileModificationTime); } } version(Windows) unittest { import std.stdio : writefln; auto currTime = Clock.currTime(); write(deleteme, "a"); scope(exit) { assert(exists(deleteme)); remove(deleteme); } SysTime creationTime1 = void; SysTime accessTime1 = void; SysTime modificationTime1 = void; getTimesWin(deleteme, creationTime1, accessTime1, modificationTime1); enum leeway = dur!"seconds"(5); { auto diffc = creationTime1 - currTime; auto diffa = accessTime1 - currTime; auto diffm = modificationTime1 - currTime; scope(failure) { writefln("[%s] [%s] [%s] [%s] [%s] [%s] [%s]", creationTime1, accessTime1, modificationTime1, currTime, diffc, diffa, diffm); } // Deleting and recreating a file doesn't seem to always reset the "file creation time" //assert(abs(diffc) <= leeway); assert(abs(diffa) <= leeway); assert(abs(diffm) <= leeway); } version(fullFileTests) { import core.thread; Thread.sleep(dur!"seconds"(2)); currTime = Clock.currTime(); write(deleteme, "b"); SysTime creationTime2 = void; SysTime accessTime2 = void; SysTime modificationTime2 = void; getTimesWin(deleteme, creationTime2, accessTime2, modificationTime2); { auto diffa = accessTime2 - currTime; auto diffm = modificationTime2 - currTime; scope(failure) { writefln("[%s] [%s] [%s] [%s] [%s]", accessTime2, modificationTime2, currTime, diffa, diffm); } assert(abs(diffa) <= leeway); assert(abs(diffm) <= leeway); } assert(creationTime1 == creationTime2); assert(accessTime1 <= accessTime2); assert(modificationTime1 <= modificationTime2); } { SysTime ctime, atime, mtime; static assert(__traits(compiles, getTimesWin(TestAliasedString("foo"), ctime, atime, mtime))); } } /++ Set access/modified times of file or folder $(D name). Params: name = File/Folder name to get times for. accessTime = Time the file/folder was last accessed. modificationTime = Time the file/folder was last modified. Throws: $(D FileException) on error. +/ void setTimes(R)(R name, SysTime accessTime, SysTime modificationTime) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { version(Windows) { auto namez = name.tempCString!FSChar(); static auto trustedCreateFileW(const(FSChar)* namez, DWORD dwDesiredAccess, DWORD dwShareMode, SECURITY_ATTRIBUTES *lpSecurityAttributes, DWORD dwCreationDisposition, DWORD dwFlagsAndAttributes, HANDLE hTemplateFile) @trusted { return CreateFileW(namez, dwDesiredAccess, dwShareMode, lpSecurityAttributes, dwCreationDisposition, dwFlagsAndAttributes, hTemplateFile); } static auto trustedCloseHandle(HANDLE hObject) @trusted { return CloseHandle(hObject); } static auto trustedSetFileTime(HANDLE hFile, in FILETIME *lpCreationTime, in ref FILETIME lpLastAccessTime, in ref FILETIME lpLastWriteTime) @trusted { return SetFileTime(hFile, lpCreationTime, &lpLastAccessTime, &lpLastWriteTime); } const ta = SysTimeToFILETIME(accessTime); const tm = SysTimeToFILETIME(modificationTime); alias defaults = AliasSeq!(GENERIC_WRITE, 0, null, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL | FILE_ATTRIBUTE_DIRECTORY | FILE_FLAG_BACKUP_SEMANTICS, HANDLE.init); auto h = trustedCreateFileW(namez, defaults); static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; cenforce(h != INVALID_HANDLE_VALUE, names, namez); scope(exit) cenforce(trustedCloseHandle(h), names, namez); cenforce(trustedSetFileTime(h, null, ta, tm), names, namez); } else version(Posix) { auto namez = name.tempCString!FSChar(); static if (is(typeof(&utimensat))) { static auto trustedUtimensat(int fd, const(FSChar)* namez, const ref timespec[2] times, int flags) @trusted { return utimensat(fd, namez, times, flags); } timespec[2] t = void; t[0] = accessTime.toTimeSpec(); t[1] = modificationTime.toTimeSpec(); static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; cenforce(trustedUtimensat(AT_FDCWD, namez, t, 0) == 0, names, namez); } else { static auto trustedUtimes(const(FSChar)* namez, const ref timeval[2] times) @trusted { return utimes(namez, times); } timeval[2] t = void; t[0] = accessTime.toTimeVal(); t[1] = modificationTime.toTimeVal(); static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; cenforce(trustedUtimes(namez, t) == 0, names, namez); } } } void setTimes(R)(auto ref R name, SysTime accessTime, SysTime modificationTime) if (isConvertibleToString!R) { setTimes!(StringTypeOf!R)(name, accessTime, modificationTime); } @safe unittest { if (false) // Test instatiation setTimes(TestAliasedString("foo"), SysTime.init, SysTime.init); } unittest { import std.stdio : File; string newdir = deleteme ~ r".dir"; string dir = newdir ~ r"/a/b/c"; string file = dir ~ "/file"; if (!exists(dir)) mkdirRecurse(dir); { auto f = File(file, "w"); } void testTimes(int hnsecValue) { foreach (path; [file, dir]) // test file and dir { SysTime atime = SysTime(DateTime(2010, 10, 4, 0, 0, 30), hnsecs(hnsecValue)); SysTime mtime = SysTime(DateTime(2011, 10, 4, 0, 0, 30), hnsecs(hnsecValue)); setTimes(path, atime, mtime); SysTime atime_res; SysTime mtime_res; getTimes(path, atime_res, mtime_res); assert(atime == atime_res); assert(mtime == mtime_res); } } testTimes(0); version (linux) testTimes(123_456_7); rmdirRecurse(newdir); } /++ Returns the time that the given file was last modified. Throws: $(D FileException) if the given file does not exist. +/ SysTime timeLastModified(R)(R name) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { version(Windows) { SysTime dummy; SysTime ftm; getTimesWin(name, dummy, dummy, ftm); return ftm; } else version(Posix) { auto namez = name.tempCString!FSChar(); static auto trustedStat(const(FSChar)* namez, ref stat_t buf) @trusted { return stat(namez, &buf); } stat_t statbuf = void; static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; cenforce(trustedStat(namez, statbuf) == 0, names, namez); return statTimeToStdTime!'m'(statbuf); } } SysTime timeLastModified(R)(auto ref R name) if (isConvertibleToString!R) { return timeLastModified!(StringTypeOf!R)(name); } unittest { static assert(__traits(compiles, timeLastModified(TestAliasedString("foo")))); } /++ Returns the time that the given file was last modified. If the file does not exist, returns $(D returnIfMissing). A frequent usage pattern occurs in build automation tools such as $(WEB gnu.org/software/make, make) or $(WEB en.wikipedia.org/wiki/Apache_Ant, ant). To check whether file $(D target) must be rebuilt from file $(D source) (i.e., $(D target) is older than $(D source) or does not exist), use the comparison below. The code throws a $(D FileException) if $(D source) does not exist (as it should). On the other hand, the $(D SysTime.min) default makes a non-existing $(D target) seem infinitely old so the test correctly prompts building it. Params: name = The name of the file to get the modification time for. returnIfMissing = The time to return if the given file does not exist. Example: -------------------- if (timeLastModified(source) >= timeLastModified(target, SysTime.min)) { // must (re)build } else { // target is up-to-date } -------------------- +/ SysTime timeLastModified(R)(R name, SysTime returnIfMissing) if (isInputRange!R && isSomeChar!(ElementEncodingType!R)) { version(Windows) { if (!exists(name)) return returnIfMissing; SysTime dummy; SysTime ftm; getTimesWin(name, dummy, dummy, ftm); return ftm; } else version(Posix) { auto namez = name.tempCString!FSChar(); static auto trustedStat(const(FSChar)* namez, ref stat_t buf) @trusted { return stat(namez, &buf); } stat_t statbuf = void; return trustedStat(namez, statbuf) != 0 ? returnIfMissing : statTimeToStdTime!'m'(statbuf); } } unittest { //std.process.system("echo a > deleteme") == 0 || assert(false); if (exists(deleteme)) remove(deleteme); write(deleteme, "a\n"); scope(exit) { assert(exists(deleteme)); remove(deleteme); } // assert(lastModified("deleteme") > // lastModified("this file does not exist", SysTime.min)); //assert(lastModified("deleteme") > lastModified(__FILE__)); } // Tests sub-second precision of querying file times. // Should pass on most modern systems running on modern filesystems. // Exceptions: // - FreeBSD, where one would need to first set the // vfs.timestamp_precision sysctl to a value greater than zero. // - OS X, where the native filesystem (HFS+) stores filesystem // timestamps with 1-second precision. version (FreeBSD) {} else version (OSX) {} else unittest { import core.thread; if (exists(deleteme)) remove(deleteme); SysTime lastTime; foreach (n; 0..3) { write(deleteme, "a"); auto time = timeLastModified(deleteme); remove(deleteme); assert(time != lastTime); lastTime = time; Thread.sleep(10.msecs); } } /** * Determine whether the given file (or directory) exists. * Params: * name = string or range of characters representing the file name * Returns: * true if the filename specified as input exists */ bool exists(R)(R name) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { return existsImpl(name.tempCString!FSChar()); } bool exists(R)(auto ref R name) if (isConvertibleToString!R) { return exists!(StringTypeOf!R)(name); } private bool existsImpl(const(FSChar)* namez) @trusted nothrow @nogc { version(Windows) { // http://msdn.microsoft.com/library/default.asp?url=/library/en-us/ // fileio/base/getfileattributes.asp return GetFileAttributesW(namez) != 0xFFFFFFFF; } else version(Posix) { /* The reason why we use stat (and not access) here is the quirky behavior of access for SUID programs: if we used access, a file may not appear to "exist", despite that the program would be able to open it just fine. The behavior in question is described as follows in the access man page: > The check is done using the calling process's real > UID and GID, rather than the effective IDs as is > done when actually attempting an operation (e.g., > open(2)) on the file. This allows set-user-ID > programs to easily determine the invoking user's > authority. While various operating systems provide eaccess or euidaccess functions, these are not part of POSIX - so it's safer to use stat instead. */ stat_t statbuf = void; return lstat(namez, &statbuf) == 0; } else static assert(0); } @safe unittest { assert(exists(".")); assert(!exists("this file does not exist")); write(deleteme, "a\n"); scope(exit) { assert(exists(deleteme)); remove(deleteme); } assert(exists(deleteme)); } /++ Returns the attributes of the given file. Note that the file attributes on Windows and Posix systems are completely different. On Windows, they're what is returned by $(WEB msdn.microsoft.com/en-us/library/aa364944(v=vs.85).aspx, GetFileAttributes), whereas on Posix systems, they're the $(LUCKY st_mode) value which is part of the $(D stat struct) gotten by calling the $(WEB en.wikipedia.org/wiki/Stat_%28Unix%29, $(D stat)) function. On Posix systems, if the given file is a symbolic link, then attributes are the attributes of the file pointed to by the symbolic link. Params: name = The file to get the attributes of. Throws: $(D FileException) on error. +/ uint getAttributes(R)(R name) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { version(Windows) { auto namez = name.tempCString!FSChar(); static auto trustedGetFileAttributesW(const(FSChar)* namez) @trusted { return GetFileAttributesW(namez); } immutable result = trustedGetFileAttributesW(namez); static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; cenforce(result != INVALID_FILE_ATTRIBUTES, names, namez); return result; } else version(Posix) { auto namez = name.tempCString!FSChar(); static auto trustedStat(const(FSChar)* namez, ref stat_t buf) @trusted { return stat(namez, &buf); } stat_t statbuf = void; static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; cenforce(trustedStat(namez, statbuf) == 0, names, namez); return statbuf.st_mode; } } uint getAttributes(R)(auto ref R name) if (isConvertibleToString!R) { return getAttributes!(StringTypeOf!R)(name); } unittest { static assert(__traits(compiles, getAttributes(TestAliasedString(null)))); } /++ If the given file is a symbolic link, then this returns the attributes of the symbolic link itself rather than file that it points to. If the given file is $(I not) a symbolic link, then this function returns the same result as getAttributes. On Windows, getLinkAttributes is identical to getAttributes. It exists on Windows so that you don't have to special-case code for Windows when dealing with symbolic links. Params: name = The file to get the symbolic link attributes of. Returns: the attributes Throws: $(D FileException) on error. +/ uint getLinkAttributes(R)(R name) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { version(Windows) { return getAttributes(name); } else version(Posix) { auto namez = name.tempCString!FSChar(); static auto trustedLstat(const(FSChar)* namez, ref stat_t buf) @trusted { return lstat(namez, &buf); } stat_t lstatbuf = void; static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; cenforce(trustedLstat(namez, lstatbuf) == 0, names, namez); return lstatbuf.st_mode; } } uint getLinkAttributes(R)(auto ref R name) if (isConvertibleToString!R) { return getLinkAttributes!(StringTypeOf!R)(name); } unittest { static assert(__traits(compiles, getLinkAttributes(TestAliasedString(null)))); } /++ Set the attributes of the given file. Params: name = the file name attributes = the attributes to set the file to Throws: $(D FileException) if the given file does not exist. +/ void setAttributes(R)(R name, uint attributes) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { version (Windows) { auto namez = name.tempCString!FSChar(); static auto trustedSetFileAttributesW(const(FSChar)* namez, uint dwFileAttributes) @trusted { return SetFileAttributesW(namez, dwFileAttributes); } static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; cenforce(trustedSetFileAttributesW(namez, attributes), names, namez); } else version (Posix) { auto namez = name.tempCString!FSChar(); static auto trustedChmod(const(FSChar)* namez, mode_t mode) @trusted { return chmod(namez, mode); } assert(attributes <= mode_t.max); static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias names = name; else string names = null; cenforce(!trustedChmod(namez, cast(mode_t)attributes), names, namez); } } void setAttributes(R)(auto ref R name, uint attributes) if (isConvertibleToString!R) { return setAttributes!(StringTypeOf!R)(name, attributes); } unittest { static assert(__traits(compiles, setAttributes(TestAliasedString(null), 0))); } /++ Returns whether the given file is a directory. Params: name = The path to the file. Returns: true if the name specifies a directory Throws: $(D FileException) if the given file does not exist. Example: -------------------- assert(!"/etc/fonts/fonts.conf".isDir); assert("/usr/share/include".isDir); -------------------- +/ @property bool isDir(R)(R name) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { version(Windows) { return (getAttributes(name) & FILE_ATTRIBUTE_DIRECTORY) != 0; } else version(Posix) { return (getAttributes(name) & S_IFMT) == S_IFDIR; } } @property bool isDir(R)(auto ref R name) if (isConvertibleToString!R) { return name.isDir!(StringTypeOf!R); } unittest { static assert(__traits(compiles, TestAliasedString(null).isDir)); } @safe unittest { version(Windows) { if ("C:\\Program Files\\".exists) assert("C:\\Program Files\\".isDir); if ("C:\\Windows\\system.ini".exists) assert(!"C:\\Windows\\system.ini".isDir); } else version(Posix) { if (system_directory.exists) assert(system_directory.isDir); if (system_file.exists) assert(!system_file.isDir); } } unittest { version(Windows) enum dir = "C:\\Program Files\\"; else version(Posix) enum dir = system_directory; if (dir.exists) { DirEntry de = DirEntry(dir); assert(de.isDir); assert(DirEntry(dir).isDir); } } /++ Returns whether the given file attributes are for a directory. Params: attributes = The file attributes. Returns: true if attibutes specifies a directory Example: -------------------- assert(!attrIsDir(getAttributes("/etc/fonts/fonts.conf"))); assert(!attrIsDir(getLinkAttributes("/etc/fonts/fonts.conf"))); -------------------- +/ bool attrIsDir(uint attributes) @safe pure nothrow @nogc { version(Windows) { return (attributes & FILE_ATTRIBUTE_DIRECTORY) != 0; } else version(Posix) { return (attributes & S_IFMT) == S_IFDIR; } } @safe unittest { version(Windows) { if ("C:\\Program Files\\".exists) { assert(attrIsDir(getAttributes("C:\\Program Files\\"))); assert(attrIsDir(getLinkAttributes("C:\\Program Files\\"))); } if ("C:\\Windows\\system.ini".exists) { assert(!attrIsDir(getAttributes("C:\\Windows\\system.ini"))); assert(!attrIsDir(getLinkAttributes("C:\\Windows\\system.ini"))); } } else version(Posix) { if (system_directory.exists) { assert(attrIsDir(getAttributes(system_directory))); assert(attrIsDir(getLinkAttributes(system_directory))); } if (system_file.exists) { assert(!attrIsDir(getAttributes(system_file))); assert(!attrIsDir(getLinkAttributes(system_file))); } } } /++ Returns whether the given file (or directory) is a file. On Windows, if a file is not a directory, then it's a file. So, either $(D isFile) or $(D isDir) will return true for any given file. On Posix systems, if $(D isFile) is $(D true), that indicates that the file is a regular file (e.g. not a block not device). So, on Posix systems, it's possible for both $(D isFile) and $(D isDir) to be $(D false) for a particular file (in which case, it's a special file). You can use $(D getAttributes) to get the attributes to figure out what type of special it is, or you can use $(D DirEntry) to get at its $(D statBuf), which is the result from $(D stat). In either case, see the man page for $(D stat) for more information. Params: name = The path to the file. Returns: true if name specifies a file Throws: $(D FileException) if the given file does not exist. Example: -------------------- assert("/etc/fonts/fonts.conf".isFile); assert(!"/usr/share/include".isFile); -------------------- +/ @property bool isFile(R)(R name) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { version(Windows) return !name.isDir; else version(Posix) return (getAttributes(name) & S_IFMT) == S_IFREG; } @property bool isFile(R)(auto ref R name) if (isConvertibleToString!R) { return isFile!(StringTypeOf!R)(name); } unittest // bugzilla 15658 { DirEntry e = DirEntry("."); static assert(is(typeof(isFile(e)))); } unittest { static assert(__traits(compiles, TestAliasedString(null).isFile)); } @safe unittest { version(Windows) { if ("C:\\Program Files\\".exists) assert(!"C:\\Program Files\\".isFile); if ("C:\\Windows\\system.ini".exists) assert("C:\\Windows\\system.ini".isFile); } else version(Posix) { if (system_directory.exists) assert(!system_directory.isFile); if (system_file.exists) assert(system_file.isFile); } } /++ Returns whether the given file attributes are for a file. On Windows, if a file is not a directory, it's a file. So, either $(D attrIsFile) or $(D attrIsDir) will return $(D true) for the attributes of any given file. On Posix systems, if $(D attrIsFile) is $(D true), that indicates that the file is a regular file (e.g. not a block not device). So, on Posix systems, it's possible for both $(D attrIsFile) and $(D attrIsDir) to be $(D false) for a particular file (in which case, it's a special file). If a file is a special file, you can use the attributes to check what type of special file it is (see the man page for $(D stat) for more information). Params: attributes = The file attributes. Returns: true if the given file attributes are for a file Example: -------------------- assert(attrIsFile(getAttributes("/etc/fonts/fonts.conf"))); assert(attrIsFile(getLinkAttributes("/etc/fonts/fonts.conf"))); -------------------- +/ bool attrIsFile(uint attributes) @safe pure nothrow @nogc { version(Windows) { return (attributes & FILE_ATTRIBUTE_DIRECTORY) == 0; } else version(Posix) { return (attributes & S_IFMT) == S_IFREG; } } @safe unittest { version(Windows) { if ("C:\\Program Files\\".exists) { assert(!attrIsFile(getAttributes("C:\\Program Files\\"))); assert(!attrIsFile(getLinkAttributes("C:\\Program Files\\"))); } if ("C:\\Windows\\system.ini".exists) { assert(attrIsFile(getAttributes("C:\\Windows\\system.ini"))); assert(attrIsFile(getLinkAttributes("C:\\Windows\\system.ini"))); } } else version(Posix) { if (system_directory.exists) { assert(!attrIsFile(getAttributes(system_directory))); assert(!attrIsFile(getLinkAttributes(system_directory))); } if (system_file.exists) { assert(attrIsFile(getAttributes(system_file))); assert(attrIsFile(getLinkAttributes(system_file))); } } } /++ Returns whether the given file is a symbolic link. On Windows, returns $(D true) when the file is either a symbolic link or a junction point. Params: name = The path to the file. Returns: true if name is a symbolic link Throws: $(D FileException) if the given file does not exist. +/ @property bool isSymlink(R)(R name) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { version(Windows) return (getAttributes(name) & FILE_ATTRIBUTE_REPARSE_POINT) != 0; else version(Posix) return (getLinkAttributes(name) & S_IFMT) == S_IFLNK; } @property bool isSymlink(R)(auto ref R name) if (isConvertibleToString!R) { return name.isSymlink!(StringTypeOf!R); } unittest { static assert(__traits(compiles, TestAliasedString(null).isSymlink)); } unittest { version(Windows) { if ("C:\\Program Files\\".exists) assert(!"C:\\Program Files\\".isSymlink); if ("C:\\Users\\".exists && "C:\\Documents and Settings\\".exists) assert("C:\\Documents and Settings\\".isSymlink); enum fakeSymFile = "C:\\Windows\\system.ini"; if (fakeSymFile.exists) { assert(!fakeSymFile.isSymlink); assert(!fakeSymFile.isSymlink); assert(!attrIsSymlink(getAttributes(fakeSymFile))); assert(!attrIsSymlink(getLinkAttributes(fakeSymFile))); assert(attrIsFile(getAttributes(fakeSymFile))); assert(attrIsFile(getLinkAttributes(fakeSymFile))); assert(!attrIsDir(getAttributes(fakeSymFile))); assert(!attrIsDir(getLinkAttributes(fakeSymFile))); assert(getAttributes(fakeSymFile) == getLinkAttributes(fakeSymFile)); } } else version(Posix) { if (system_directory.exists) { assert(!system_directory.isSymlink); immutable symfile = deleteme ~ "_slink\0"; scope(exit) if (symfile.exists) symfile.remove(); core.sys.posix.unistd.symlink(system_directory, symfile.ptr); assert(symfile.isSymlink); assert(!attrIsSymlink(getAttributes(symfile))); assert(attrIsSymlink(getLinkAttributes(symfile))); assert(attrIsDir(getAttributes(symfile))); assert(!attrIsDir(getLinkAttributes(symfile))); assert(!attrIsFile(getAttributes(symfile))); assert(!attrIsFile(getLinkAttributes(symfile))); } if (system_file.exists) { assert(!system_file.isSymlink); immutable symfile = deleteme ~ "_slink\0"; scope(exit) if (symfile.exists) symfile.remove(); core.sys.posix.unistd.symlink(system_file, symfile.ptr); assert(symfile.isSymlink); assert(!attrIsSymlink(getAttributes(symfile))); assert(attrIsSymlink(getLinkAttributes(symfile))); assert(!attrIsDir(getAttributes(symfile))); assert(!attrIsDir(getLinkAttributes(symfile))); assert(attrIsFile(getAttributes(symfile))); assert(!attrIsFile(getLinkAttributes(symfile))); } } static assert(__traits(compiles, () @safe { return "dummy".isSymlink; })); } /++ Returns whether the given file attributes are for a symbolic link. On Windows, return $(D true) when the file is either a symbolic link or a junction point. Params: attributes = The file attributes. Returns: true if attributes are for a symbolic link Example: -------------------- core.sys.posix.unistd.symlink("/etc/fonts/fonts.conf", "/tmp/alink"); assert(!getAttributes("/tmp/alink").isSymlink); assert(getLinkAttributes("/tmp/alink").isSymlink); -------------------- +/ bool attrIsSymlink(uint attributes) @safe pure nothrow @nogc { version(Windows) return (attributes & FILE_ATTRIBUTE_REPARSE_POINT) != 0; else version(Posix) return (attributes & S_IFMT) == S_IFLNK; } /**************************************************** * Change directory to $(D pathname). * Throws: $(D FileException) on error. */ void chdir(R)(R pathname) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { // Place outside of @trusted block auto pathz = pathname.tempCString!FSChar(); version(Windows) { static auto trustedChdir(const(FSChar)* pathz) @trusted { return SetCurrentDirectoryW(pathz); } } else version(Posix) { static auto trustedChdir(const(FSChar)* pathz) @trusted { return core.sys.posix.unistd.chdir(pathz) == 0; } } static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias pathStr = pathname; else string pathStr = null; cenforce(trustedChdir(pathz), pathStr, pathz); } void chdir(R)(auto ref R pathname) if (isConvertibleToString!R) { return chdir!(StringTypeOf!R)(pathname); } unittest { static assert(__traits(compiles, chdir(TestAliasedString(null)))); } /**************************************************** Make directory $(D pathname). Throws: $(D FileException) on Posix or $(D WindowsException) on Windows if an error occured. */ void mkdir(R)(R pathname) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { // Place outside of @trusted block auto pathz = pathname.tempCString!FSChar(); version(Windows) { static auto trustedCreateDirectoryW(const(FSChar)* pathz) @trusted { return CreateDirectoryW(pathz, null); } static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias pathStr = pathname; else string pathStr = null; wenforce(trustedCreateDirectoryW(pathz), pathStr, pathz); } else version(Posix) { static auto trustedMkdir(const(FSChar)* pathz, mode_t mode) @trusted { return core.sys.posix.sys.stat.mkdir(pathz, mode); } static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias pathStr = pathname; else string pathStr = null; cenforce(trustedMkdir(pathz, octal!777) == 0, pathStr, pathz); } } void mkdir(R)(auto ref R pathname) if (isConvertibleToString!R) { return mkdir!(StringTypeOf!R)(pathname); } unittest { static assert(__traits(compiles, mkdir(TestAliasedString(null)))); } // Same as mkdir but ignores "already exists" errors. // Returns: "true" if the directory was created, // "false" if it already existed. private bool ensureDirExists(in char[] pathname) { version(Windows) { if (CreateDirectoryW(pathname.tempCStringW(), null)) return true; cenforce(GetLastError() == ERROR_ALREADY_EXISTS, pathname.idup); } else version(Posix) { if (core.sys.posix.sys.stat.mkdir(pathname.tempCString(), octal!777) == 0) return true; cenforce(errno == EEXIST || errno == EISDIR, pathname); } enforce(pathname.isDir, new FileException(pathname.idup)); return false; } /**************************************************** * Make directory and all parent directories as needed. * * Does nothing if the directory specified by * $(D pathname) already exists. * * Throws: $(D FileException) on error. */ void mkdirRecurse(in char[] pathname) { const left = dirName(pathname); if (left.length != pathname.length && !exists(left)) { mkdirRecurse(left); } if (!baseName(pathname).empty) { ensureDirExists(pathname); } } unittest { { immutable basepath = deleteme ~ "_dir"; scope(exit) rmdirRecurse(basepath); auto path = buildPath(basepath, "a", "..", "b"); mkdirRecurse(path); path = path.buildNormalizedPath; assert(path.isDir); path = buildPath(basepath, "c"); write(path, ""); assertThrown!FileException(mkdirRecurse(path)); path = buildPath(basepath, "d"); mkdirRecurse(path); mkdirRecurse(path); // should not throw } version(Windows) { assertThrown!FileException(mkdirRecurse(`1:\foobar`)); } // bug3570 { immutable basepath = deleteme ~ "_dir"; version (Windows) { immutable path = basepath ~ "\\fake\\here\\"; } else version (Posix) { immutable path = basepath ~ `/fake/here/`; } mkdirRecurse(path); assert(basepath.exists && basepath.isDir); scope(exit) rmdirRecurse(basepath); assert(path.exists && path.isDir); } } /**************************************************** Remove directory $(D pathname). Params: pathname = Range or string specifying the directory name Throws: $(D FileException) on error. */ void rmdir(R)(R pathname) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) && !isConvertibleToString!R) { // Place outside of @trusted block auto pathz = pathname.tempCString!FSChar(); version(Windows) { static auto trustedRmdir(const(FSChar)* pathz) @trusted { return RemoveDirectoryW(pathz); } } else version(Posix) { static auto trustedRmdir(const(FSChar)* pathz) @trusted { return core.sys.posix.unistd.rmdir(pathz) == 0; } } static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias pathStr = pathname; else string pathStr = null; cenforce(trustedRmdir(pathz), pathStr, pathz); } void rmdir(R)(auto ref R pathname) if (isConvertibleToString!R) { rmdir!(StringTypeOf!R)(pathname); } unittest { static assert(__traits(compiles, rmdir(TestAliasedString(null)))); } /++ $(BLUE This function is Posix-Only.) Creates a symbolic _link (_symlink). Params: original = The file that is being linked. This is the target path that's stored in the _symlink. A relative path is relative to the created _symlink. link = The _symlink to create. A relative path is relative to the current working directory. Throws: $(D FileException) on error (which includes if the _symlink already exists). +/ version(StdDdoc) void symlink(RO, RL)(RO original, RL link) if ((isInputRange!RO && isSomeChar!(ElementEncodingType!RO) || isConvertibleToString!RO) && (isInputRange!RL && isSomeChar!(ElementEncodingType!RL) || isConvertibleToString!RL)); else version(Posix) void symlink(RO, RL)(RO original, RL link) if ((isInputRange!RO && isSomeChar!(ElementEncodingType!RO) || isConvertibleToString!RO) && (isInputRange!RL && isSomeChar!(ElementEncodingType!RL) || isConvertibleToString!RL)) { static if (isConvertibleToString!RO || isConvertibleToString!RL) { import std.meta : staticMap; alias Types = staticMap!(convertToString, RO, RL); symlink!Types(original, link); } else { auto oz = original.tempCString(); auto lz = link.tempCString(); alias posixSymlink = core.sys.posix.unistd.symlink; immutable int result = () @trusted { return posixSymlink(oz, lz); } (); cenforce(result == 0, text(link)); } } version(Posix) @safe unittest { if (system_directory.exists) { immutable symfile = deleteme ~ "_slink\0"; scope(exit) if (symfile.exists) symfile.remove(); symlink(system_directory, symfile); assert(symfile.exists); assert(symfile.isSymlink); assert(!attrIsSymlink(getAttributes(symfile))); assert(attrIsSymlink(getLinkAttributes(symfile))); assert(attrIsDir(getAttributes(symfile))); assert(!attrIsDir(getLinkAttributes(symfile))); assert(!attrIsFile(getAttributes(symfile))); assert(!attrIsFile(getLinkAttributes(symfile))); } if (system_file.exists) { assert(!system_file.isSymlink); immutable symfile = deleteme ~ "_slink\0"; scope(exit) if (symfile.exists) symfile.remove(); symlink(system_file, symfile); assert(symfile.exists); assert(symfile.isSymlink); assert(!attrIsSymlink(getAttributes(symfile))); assert(attrIsSymlink(getLinkAttributes(symfile))); assert(!attrIsDir(getAttributes(symfile))); assert(!attrIsDir(getLinkAttributes(symfile))); assert(attrIsFile(getAttributes(symfile))); assert(!attrIsFile(getLinkAttributes(symfile))); } } version(Posix) unittest { static assert(__traits(compiles, symlink(TestAliasedString(null), TestAliasedString(null)))); } /++ $(BLUE This function is Posix-Only.) Returns the path to the file pointed to by a symlink. Note that the path could be either relative or absolute depending on the symlink. If the path is relative, it's relative to the symlink, not the current working directory. Throws: $(D FileException) on error. +/ version(StdDdoc) string readLink(R)(R link) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) || isConvertibleToString!R); else version(Posix) string readLink(R)(R link) if (isInputRange!R && isSomeChar!(ElementEncodingType!R) || isConvertibleToString!R) { static if (isConvertibleToString!R) { return readLink!(convertToString!R)(link); } else { alias posixReadlink = core.sys.posix.unistd.readlink; enum bufferLen = 2048; enum maxCodeUnits = 6; char[bufferLen] buffer; const linkz = link.tempCString(); auto size = () @trusted { return posixReadlink(linkz, buffer.ptr, buffer.length); } (); cenforce(size != -1, to!string(link)); if (size <= bufferLen - maxCodeUnits) return to!string(buffer[0 .. size]); auto dynamicBuffer = new char[](bufferLen * 3 / 2); foreach (i; 0 .. 10) { size = () @trusted { return posixReadlink(linkz, dynamicBuffer.ptr, dynamicBuffer.length); } (); cenforce(size != -1, to!string(link)); if (size <= dynamicBuffer.length - maxCodeUnits) { dynamicBuffer.length = size; return () @trusted { return assumeUnique(dynamicBuffer); } (); } dynamicBuffer.length = dynamicBuffer.length * 3 / 2; } throw new FileException(to!string(link), "Path is too long to read."); } } version(Posix) @safe unittest { import std.string; foreach (file; [system_directory, system_file]) { if (file.exists) { immutable symfile = deleteme ~ "_slink\0"; scope(exit) if (symfile.exists) symfile.remove(); symlink(file, symfile); assert(readLink(symfile) == file, format("Failed file: %s", file)); } } assertThrown!FileException(readLink("/doesnotexist")); } version(Posix) @safe unittest { static assert(__traits(compiles, readLink(TestAliasedString("foo")))); } version(Posix) unittest // input range of dchars { mkdirRecurse(deleteme); scope(exit) if (deleteme.exists) rmdirRecurse(deleteme); write(deleteme ~ "/f", ""); import std.range.interfaces: InputRange, inputRangeObject; import std.utf: byChar; immutable string link = deleteme ~ "/l"; symlink("f", link); InputRange!dchar linkr = inputRangeObject(link); alias R = typeof(linkr); static assert(isInputRange!R); static assert(!isForwardRange!R); assert(readLink(linkr) == "f"); } /**************************************************** * Get the current working directory. * Throws: $(D FileException) on error. */ version(Windows) string getcwd() { import std.utf : toUTF8; /* GetCurrentDirectory's return value: 1. function succeeds: the number of characters that are written to the buffer, not including the terminating null character. 2. function fails: zero 3. the buffer (lpBuffer) is not large enough: the required size of the buffer, in characters, including the null-terminating character. */ wchar[4096] buffW = void; //enough for most common case immutable n = cenforce(GetCurrentDirectoryW(to!DWORD(buffW.length), buffW.ptr), "getcwd"); // we can do it because toUTFX always produces a fresh string if (n < buffW.length) { return toUTF8(buffW[0 .. n]); } else //staticBuff isn't enough { auto ptr = cast(wchar*) malloc(wchar.sizeof * n); scope(exit) free(ptr); immutable n2 = GetCurrentDirectoryW(n, ptr); cenforce(n2 && n2 < n, "getcwd"); return toUTF8(ptr[0 .. n2]); } } else version (Solaris) string getcwd() { /* BUF_SIZE >= PATH_MAX */ enum BUF_SIZE = 4096; /* The user should be able to specify any size buffer > 0 */ auto p = cenforce(core.sys.posix.unistd.getcwd(null, BUF_SIZE), "cannot get cwd"); scope(exit) core.stdc.stdlib.free(p); return p[0 .. core.stdc.string.strlen(p)].idup; } else version (Posix) string getcwd() { auto p = cenforce(core.sys.posix.unistd.getcwd(null, 0), "cannot get cwd"); scope(exit) core.stdc.stdlib.free(p); return p[0 .. core.stdc.string.strlen(p)].idup; } unittest { auto s = getcwd(); assert(s.length); } version (OSX) private extern (C) int _NSGetExecutablePath(char* buf, uint* bufsize); else version (FreeBSD) private extern (C) int sysctl (const int* name, uint namelen, void* oldp, size_t* oldlenp, const void* newp, size_t newlen); else version (NetBSD) private extern (C) int sysctl (const int* name, uint namelen, void* oldp, size_t* oldlenp, const void* newp, size_t newlen); /** * Returns the full path of the current executable. * * Throws: * $(XREF object, Exception) */ @trusted string thisExePath () { version (OSX) { import core.sys.posix.stdlib : realpath; uint size; _NSGetExecutablePath(null, &size); // get the length of the path auto buffer = new char[size]; _NSGetExecutablePath(buffer.ptr, &size); auto absolutePath = realpath(buffer.ptr, null); // let the function allocate scope (exit) { if (absolutePath) free(absolutePath); } errnoEnforce(absolutePath); return to!(string)(absolutePath); } else version (linux) { return readLink("/proc/self/exe"); } else version (Windows) { wchar[MAX_PATH] buf; wchar[] buffer = buf[]; while (true) { auto len = GetModuleFileNameW(null, buffer.ptr, cast(DWORD) buffer.length); enforce(len, sysErrorString(GetLastError())); if (len != buffer.length) return to!(string)(buffer[0 .. len]); buffer.length *= 2; } } else version (FreeBSD) { enum { CTL_KERN = 1, KERN_PROC = 14, KERN_PROC_PATHNAME = 12 } int[4] mib = [CTL_KERN, KERN_PROC, KERN_PROC_PATHNAME, -1]; size_t len; auto result = sysctl(mib.ptr, mib.length, null, &len, null, 0); // get the length of the path errnoEnforce(result == 0); auto buffer = new char[len - 1]; result = sysctl(mib.ptr, mib.length, buffer.ptr, &len, null, 0); errnoEnforce(result == 0); return buffer.assumeUnique; } else version (NetBSD) { return readLink("/proc/self/exe"); } else version (Solaris) { import core.sys.posix.unistd : getpid; import std.string : format; // Only Solaris 10 and later return readLink(format("/proc/%d/path/a.out", getpid())); } else static assert(0, "thisExePath is not supported on this platform"); } @safe unittest { auto path = thisExePath(); assert(path.exists); assert(path.isAbsolute); assert(path.isFile); } version(StdDdoc) { /++ Info on a file, similar to what you'd get from stat on a Posix system. +/ struct DirEntry { /++ Constructs a DirEntry for the given file (or directory). Params: path = The file (or directory) to get a DirEntry for. Throws: $(D FileException) if the file does not exist. +/ this(string path); version (Windows) { private this(string path, in WIN32_FIND_DATAW *fd); } else version (Posix) { private this(string path, core.sys.posix.dirent.dirent* fd); } /++ Returns the path to the file represented by this $(D DirEntry). Example: -------------------- auto de1 = DirEntry("/etc/fonts/fonts.conf"); assert(de1.name == "/etc/fonts/fonts.conf"); auto de2 = DirEntry("/usr/share/include"); assert(de2.name == "/usr/share/include"); -------------------- +/ @property string name() const; /++ Returns whether the file represented by this $(D DirEntry) is a directory. Example: -------------------- auto de1 = DirEntry("/etc/fonts/fonts.conf"); assert(!de1.isDir); auto de2 = DirEntry("/usr/share/include"); assert(de2.isDir); -------------------- +/ @property bool isDir(); /++ Returns whether the file represented by this $(D DirEntry) is a file. On Windows, if a file is not a directory, then it's a file. So, either $(D isFile) or $(D isDir) will return $(D true). On Posix systems, if $(D isFile) is $(D true), that indicates that the file is a regular file (e.g. not a block not device). So, on Posix systems, it's possible for both $(D isFile) and $(D isDir) to be $(D false) for a particular file (in which case, it's a special file). You can use $(D attributes) or $(D statBuf) to get more information about a special file (see the stat man page for more details). Example: -------------------- auto de1 = DirEntry("/etc/fonts/fonts.conf"); assert(de1.isFile); auto de2 = DirEntry("/usr/share/include"); assert(!de2.isFile); -------------------- +/ @property bool isFile(); /++ Returns whether the file represented by this $(D DirEntry) is a symbolic link. On Windows, return $(D true) when the file is either a symbolic link or a junction point. +/ @property bool isSymlink(); /++ Returns the size of the the file represented by this $(D DirEntry) in bytes. +/ @property ulong size(); /++ $(BLUE This function is Windows-Only.) Returns the creation time of the file represented by this $(D DirEntry). +/ @property SysTime timeCreated() const; /++ Returns the time that the file represented by this $(D DirEntry) was last accessed. Note that many file systems do not update the access time for files (generally for performance reasons), so there's a good chance that $(D timeLastAccessed) will return the same value as $(D timeLastModified). +/ @property SysTime timeLastAccessed(); /++ Returns the time that the file represented by this $(D DirEntry) was last modified. +/ @property SysTime timeLastModified(); /++ Returns the attributes of the file represented by this $(D DirEntry). Note that the file attributes on Windows and Posix systems are completely different. On, Windows, they're what is returned by $(D GetFileAttributes) $(WEB msdn.microsoft.com/en-us/library/aa364944(v=vs.85).aspx, GetFileAttributes) Whereas, an Posix systems, they're the $(D st_mode) value which is part of the $(D stat) struct gotten by calling $(D stat). On Posix systems, if the file represented by this $(D DirEntry) is a symbolic link, then attributes are the attributes of the file pointed to by the symbolic link. +/ @property uint attributes(); /++ On Posix systems, if the file represented by this $(D DirEntry) is a symbolic link, then $(D linkAttributes) are the attributes of the symbolic link itself. Otherwise, $(D linkAttributes) is identical to $(D attributes). On Windows, $(D linkAttributes) is identical to $(D attributes). It exists on Windows so that you don't have to special-case code for Windows when dealing with symbolic links. +/ @property uint linkAttributes(); version(Windows) alias stat_t = void*; /++ $(BLUE This function is Posix-Only.) The $(D stat) struct gotten from calling $(D stat). +/ @property stat_t statBuf(); } } else version(Windows) { struct DirEntry { import std.utf : toUTF8; public: alias name this; this(string path) { if (!path.exists()) throw new FileException(path, "File does not exist"); _name = path; with (getFileAttributesWin(path)) { _size = makeUlong(nFileSizeLow, nFileSizeHigh); _timeCreated = std.datetime.FILETIMEToSysTime(&ftCreationTime); _timeLastAccessed = std.datetime.FILETIMEToSysTime(&ftLastAccessTime); _timeLastModified = std.datetime.FILETIMEToSysTime(&ftLastWriteTime); _attributes = dwFileAttributes; } } private this(string path, in WIN32_FIND_DATAW *fd) { import core.stdc.wchar_ : wcslen; size_t clength = wcslen(fd.cFileName.ptr); _name = toUTF8(fd.cFileName[0 .. clength]); _name = buildPath(path, toUTF8(fd.cFileName[0 .. clength])); _size = (cast(ulong)fd.nFileSizeHigh << 32) | fd.nFileSizeLow; _timeCreated = std.datetime.FILETIMEToSysTime(&fd.ftCreationTime); _timeLastAccessed = std.datetime.FILETIMEToSysTime(&fd.ftLastAccessTime); _timeLastModified = std.datetime.FILETIMEToSysTime(&fd.ftLastWriteTime); _attributes = fd.dwFileAttributes; } @property string name() const pure nothrow { return _name; } @property bool isDir() const pure nothrow { return (attributes & FILE_ATTRIBUTE_DIRECTORY) != 0; } @property bool isFile() const pure nothrow { //Are there no options in Windows other than directory and file? //If there are, then this probably isn't the best way to determine //whether this DirEntry is a file or not. return !isDir; } @property bool isSymlink() const pure nothrow { return (attributes & FILE_ATTRIBUTE_REPARSE_POINT) != 0; } @property ulong size() const pure nothrow { return _size; } @property SysTime timeCreated() const pure nothrow { return cast(SysTime)_timeCreated; } @property SysTime timeLastAccessed() const pure nothrow { return cast(SysTime)_timeLastAccessed; } @property SysTime timeLastModified() const pure nothrow { return cast(SysTime)_timeLastModified; } @property uint attributes() const pure nothrow { return _attributes; } @property uint linkAttributes() const pure nothrow { return _attributes; } private: string _name; /// The file or directory represented by this DirEntry. SysTime _timeCreated; /// The time when the file was created. SysTime _timeLastAccessed; /// The time when the file was last accessed. SysTime _timeLastModified; /// The time when the file was last modified. ulong _size; /// The size of the file in bytes. uint _attributes; /// The file attributes from WIN32_FIND_DATAW. } } else version(Posix) { struct DirEntry { public: alias name this; this(string path) { if (!path.exists) throw new FileException(path, "File does not exist"); _name = path; _didLStat = false; _didStat = false; _dTypeSet = false; } private this(string path, core.sys.posix.dirent.dirent* fd) { immutable len = core.stdc.string.strlen(fd.d_name.ptr); _name = buildPath(path, fd.d_name[0 .. len]); _didLStat = false; _didStat = false; //fd_d_type doesn't work for all file systems, //in which case the result is DT_UNKOWN. But we //can determine the correct type from lstat, so //we'll only set the dtype here if we could //correctly determine it (not lstat in the case //of DT_UNKNOWN in case we don't ever actually //need the dtype, thus potentially avoiding the //cost of calling lstat). static if (__traits(compiles, fd.d_type != DT_UNKNOWN)) { if (fd.d_type != DT_UNKNOWN) { _dType = fd.d_type; _dTypeSet = true; } else _dTypeSet = false; } else { // e.g. Solaris does not have the d_type member _dTypeSet = false; } } @property string name() const pure nothrow { return _name; } @property bool isDir() { _ensureStatOrLStatDone(); return (_statBuf.st_mode & S_IFMT) == S_IFDIR; } @property bool isFile() { _ensureStatOrLStatDone(); return (_statBuf.st_mode & S_IFMT) == S_IFREG; } @property bool isSymlink() { _ensureLStatDone(); return (_lstatMode & S_IFMT) == S_IFLNK; } @property ulong size() { _ensureStatDone(); return _statBuf.st_size; } @property SysTime timeStatusChanged() { _ensureStatDone(); return statTimeToStdTime!'c'(_statBuf); } @property SysTime timeLastAccessed() { _ensureStatDone(); return statTimeToStdTime!'a'(_statBuf); } @property SysTime timeLastModified() { _ensureStatDone(); return statTimeToStdTime!'m'(_statBuf); } @property uint attributes() { _ensureStatDone(); return _statBuf.st_mode; } @property uint linkAttributes() { _ensureLStatDone(); return _lstatMode; } @property stat_t statBuf() { _ensureStatDone(); return _statBuf; } private: /++ This is to support lazy evaluation, because doing stat's is expensive and not always needed. +/ void _ensureStatDone() @safe { static auto trustedStat(in char[] path, stat_t* buf) @trusted { return stat(path.tempCString(), buf); } if (_didStat) return; enforce(trustedStat(_name, &_statBuf) == 0, "Failed to stat file `" ~ _name ~ "'"); _didStat = true; } /++ This is to support lazy evaluation, because doing stat's is expensive and not always needed. Try both stat and lstat for isFile and isDir to detect broken symlinks. +/ void _ensureStatOrLStatDone() { if (_didStat) return; if ( stat(_name.tempCString(), &_statBuf) != 0 ) { _ensureLStatDone(); _statBuf = stat_t.init; _statBuf.st_mode = S_IFLNK; } else { _didStat = true; } } /++ This is to support lazy evaluation, because doing stat's is expensive and not always needed. +/ void _ensureLStatDone() { if (_didLStat) return; stat_t statbuf = void; enforce(lstat(_name.tempCString(), &statbuf) == 0, "Failed to stat file `" ~ _name ~ "'"); _lstatMode = statbuf.st_mode; _dTypeSet = true; _didLStat = true; } string _name; /// The file or directory represented by this DirEntry. stat_t _statBuf = void; /// The result of stat(). uint _lstatMode; /// The stat mode from lstat(). ubyte _dType; /// The type of the file. bool _didLStat = false; /// Whether lstat() has been called for this DirEntry. bool _didStat = false; /// Whether stat() has been called for this DirEntry. bool _dTypeSet = false; /// Whether the dType of the file has been set. } } unittest { version(Windows) { if ("C:\\Program Files\\".exists) { auto de = DirEntry("C:\\Program Files\\"); assert(!de.isFile); assert(de.isDir); assert(!de.isSymlink); } if ("C:\\Users\\".exists && "C:\\Documents and Settings\\".exists) { auto de = DirEntry("C:\\Documents and Settings\\"); assert(de.isSymlink); } if ("C:\\Windows\\system.ini".exists) { auto de = DirEntry("C:\\Windows\\system.ini"); assert(de.isFile); assert(!de.isDir); assert(!de.isSymlink); } } else version(Posix) { if (system_directory.exists) { { auto de = DirEntry(system_directory); assert(!de.isFile); assert(de.isDir); assert(!de.isSymlink); } immutable symfile = deleteme ~ "_slink\0"; scope(exit) if (symfile.exists) symfile.remove(); core.sys.posix.unistd.symlink(system_directory, symfile.ptr); { auto de = DirEntry(symfile); assert(!de.isFile); assert(de.isDir); assert(de.isSymlink); } symfile.remove(); core.sys.posix.unistd.symlink((deleteme ~ "_broken_symlink\0").ptr, symfile.ptr); { //Issue 8298 DirEntry de = DirEntry(symfile); assert(!de.isFile); assert(!de.isDir); assert(de.isSymlink); assertThrown(de.size); assertThrown(de.timeStatusChanged); assertThrown(de.timeLastAccessed); assertThrown(de.timeLastModified); assertThrown(de.attributes); assertThrown(de.statBuf); assert(symfile.exists); symfile.remove(); } } if (system_file.exists) { auto de = DirEntry(system_file); assert(de.isFile); assert(!de.isDir); assert(!de.isSymlink); } } } alias PreserveAttributes = Flag!"preserveAttributes"; version (StdDdoc) { /// Defaults to PreserveAttributes.yes on Windows, and the opposite on all other platforms. PreserveAttributes preserveAttributesDefault; } else version(Windows) { enum preserveAttributesDefault = PreserveAttributes.yes; } else { enum preserveAttributesDefault = PreserveAttributes.no; } /*************************************************** Copy file $(D from) to file $(D to). File timestamps are preserved. File attributes are preserved, if $(D preserve) equals $(D PreserveAttributes.yes). On Windows only $(D PreserveAttributes.yes) (the default on Windows) is supported. If the target file exists, it is overwritten. Params: from = string or range of characters representing the existing file name to = string or range of characters representing the target file name preserve = whether to preserve the file attributes Throws: $(D FileException) on error. */ void copy(RF, RT)(RF from, RT to, PreserveAttributes preserve = preserveAttributesDefault) if (isInputRange!RF && isSomeChar!(ElementEncodingType!RF) && !isConvertibleToString!RF && isInputRange!RT && isSomeChar!(ElementEncodingType!RT) && !isConvertibleToString!RT) { // Place outside of @trusted block auto fromz = from.tempCString!FSChar(); auto toz = to.tempCString!FSChar(); static if (isNarrowString!RF && is(Unqual!(ElementEncodingType!RF) == char)) alias f = from; else enum string f = null; static if (isNarrowString!RT && is(Unqual!(ElementEncodingType!RT) == char)) alias t = to; else enum string t = null; copyImpl(f, t, fromz, toz, preserve); } void copy(RF, RT)(auto ref RF from, auto ref RT to, PreserveAttributes preserve = preserveAttributesDefault) if (isConvertibleToString!RF || isConvertibleToString!RT) { import std.meta : staticMap; alias Types = staticMap!(convertToString, RF, RT); copy!Types(from, to, preserve); } unittest // issue 15319 { import std.file : dirEntries; auto fs = dirEntries(tempDir(), SpanMode.depth); assert(__traits(compiles, copy(fs.front, fs.front))); } private void copyImpl(const(char)[] f, const(char)[] t, const(FSChar)* fromz, const(FSChar)* toz, PreserveAttributes preserve) @trusted { version(Windows) { assert(preserve == Yes.preserve); immutable result = CopyFileW(fromz, toz, false); if (!result) { import core.stdc.wchar_ : wcslen; import std.conv : to; if (!t) t = to!(typeof(t))(toz[0 .. wcslen(toz)]); throw new FileException(t); } } else version(Posix) { import core.stdc.stdio; static import std.conv; immutable fdr = core.sys.posix.fcntl.open(fromz, O_RDONLY); cenforce(fdr != -1, f, fromz); scope(exit) core.sys.posix.unistd.close(fdr); stat_t statbufr = void; cenforce(fstat(fdr, &statbufr) == 0, f, fromz); //cenforce(core.sys.posix.sys.stat.fstat(fdr, &statbufr) == 0, f, fromz); immutable fdw = core.sys.posix.fcntl.open(toz, O_CREAT | O_WRONLY, octal!666); cenforce(fdw != -1, t, toz); { scope(failure) core.sys.posix.unistd.close(fdw); stat_t statbufw = void; cenforce(fstat(fdw, &statbufw) == 0, t, toz); if (statbufr.st_dev == statbufw.st_dev && statbufr.st_ino == statbufw.st_ino) throw new FileException(t, "Source and destination are the same file"); } scope(failure) core.stdc.stdio.remove(toz); { scope(failure) core.sys.posix.unistd.close(fdw); cenforce(ftruncate(fdw, 0) == 0, t, toz); auto BUFSIZ = 4096u * 16; auto buf = core.stdc.stdlib.malloc(BUFSIZ); if (!buf) { BUFSIZ = 4096; buf = core.stdc.stdlib.malloc(BUFSIZ); if (!buf) { import core.exception : onOutOfMemoryError; onOutOfMemoryError(); } } scope(exit) core.stdc.stdlib.free(buf); for (auto size = statbufr.st_size; size; ) { immutable toxfer = (size > BUFSIZ) ? BUFSIZ : cast(size_t) size; cenforce( core.sys.posix.unistd.read(fdr, buf, toxfer) == toxfer && core.sys.posix.unistd.write(fdw, buf, toxfer) == toxfer, f, fromz); assert(size >= toxfer); size -= toxfer; } if (preserve) cenforce(fchmod(fdw, std.conv.to!mode_t(statbufr.st_mode)) == 0, f, fromz); } cenforce(core.sys.posix.unistd.close(fdw) != -1, f, fromz); utimbuf utim = void; utim.actime = cast(time_t)statbufr.st_atime; utim.modtime = cast(time_t)statbufr.st_mtime; cenforce(utime(toz, &utim) != -1, f, fromz); } } unittest { import std.algorithm, std.file; // issue 14817 auto t1 = deleteme, t2 = deleteme~"2"; scope(exit) foreach (t; [t1, t2]) if (t.exists) t.remove(); write(t1, "11"); copy(t1, t2); assert(readText(t2) == "11"); write(t1, "2"); copy(t1, t2); assert(readText(t2) == "2"); import std.utf : byChar; copy(t1.byChar, t2.byChar); assert(readText(t2.byChar) == "2"); } version(Posix) unittest //issue 11434 { auto t1 = deleteme, t2 = deleteme~"2"; scope(exit) foreach (t; [t1, t2]) if (t.exists) t.remove(); write(t1, "1"); setAttributes(t1, octal!767); copy(t1, t2, Yes.preserveAttributes); assert(readText(t2) == "1"); assert(getAttributes(t2) == octal!100767); } unittest // issue 15865 { auto t = deleteme; write(t, "a"); scope(exit) t.remove(); assertThrown!FileException(copy(t, t)); assert(readText(t) == "a"); } /++ Remove directory and all of its content and subdirectories, recursively. Throws: $(D FileException) if there is an error (including if the given file is not a directory). +/ void rmdirRecurse(in char[] pathname) { //No references to pathname will be kept after rmdirRecurse, //so the cast is safe rmdirRecurse(DirEntry(cast(string)pathname)); } /++ Remove directory and all of its content and subdirectories, recursively. Throws: $(D FileException) if there is an error (including if the given file is not a directory). +/ void rmdirRecurse(ref DirEntry de) { if (!de.isDir) throw new FileException(de.name, "Not a directory"); if (de.isSymlink) { version (Windows) rmdir(de.name); else remove(de.name); } else { // all children, recursively depth-first foreach (DirEntry e; dirEntries(de.name, SpanMode.depth, false)) { attrIsDir(e.linkAttributes) ? rmdir(e.name) : remove(e.name); } // the dir itself rmdir(de.name); } } ///ditto //Note, without this overload, passing an RValue DirEntry still works, but //actually fully reconstructs a DirEntry inside the //"rmdirRecurse(in char[] pathname)" implementation. That is needlessly //expensive. //A DirEntry is a bit big (72B), so keeping the "by ref" signature is desirable. void rmdirRecurse(DirEntry de) { rmdirRecurse(de); } version(Windows) unittest { auto d = deleteme ~ r".dir\a\b\c\d\e\f\g"; mkdirRecurse(d); rmdirRecurse(deleteme ~ ".dir"); enforce(!exists(deleteme ~ ".dir")); } version(Posix) unittest { import std.process: executeShell; collectException(rmdirRecurse(deleteme)); auto d = deleteme~"/a/b/c/d/e/f/g"; enforce(collectException(mkdir(d))); mkdirRecurse(d); core.sys.posix.unistd.symlink((deleteme~"/a/b/c\0").ptr, (deleteme~"/link\0").ptr); rmdirRecurse(deleteme~"/link"); enforce(exists(d)); rmdirRecurse(deleteme); enforce(!exists(deleteme)); d = deleteme~"/a/b/c/d/e/f/g"; mkdirRecurse(d); version(Android) string link_cmd = "ln -s "; else string link_cmd = "ln -sf "; executeShell(link_cmd~deleteme~"/a/b/c "~deleteme~"/link"); rmdirRecurse(deleteme); enforce(!exists(deleteme)); } unittest { void[] buf; buf = new void[10]; (cast(byte[])buf)[] = 3; string unit_file = deleteme ~ "-unittest_write.tmp"; if (exists(unit_file)) remove(unit_file); write(unit_file, buf); void[] buf2 = read(unit_file); assert(buf == buf2); string unit2_file = deleteme ~ "-unittest_write2.tmp"; copy(unit_file, unit2_file); buf2 = read(unit2_file); assert(buf == buf2); remove(unit_file); assert(!exists(unit_file)); remove(unit2_file); assert(!exists(unit2_file)); } /** * Dictates directory spanning policy for $(D_PARAM dirEntries) (see below). */ enum SpanMode { /** Only spans one directory. */ shallow, /** Spans the directory depth-first, i.e. the content of any subdirectory is spanned before that subdirectory itself. Useful e.g. when recursively deleting files. */ depth, /** Spans the directory breadth-first, i.e. the content of any subdirectory is spanned right after that subdirectory itself. */ breadth, } private struct DirIteratorImpl { import std.array : Appender, appender; SpanMode _mode; // Whether we should follow symlinked directories while iterating. // It also indicates whether we should avoid functions which call // stat (since we should only need lstat in this case and it would // be more efficient to not call stat in addition to lstat). bool _followSymlink; DirEntry _cur; Appender!(DirHandle[]) _stack; Appender!(DirEntry[]) _stashed; //used in depth first mode //stack helpers void pushExtra(DirEntry de){ _stashed.put(de); } //ditto bool hasExtra(){ return !_stashed.data.empty; } //ditto DirEntry popExtra() { DirEntry de; de = _stashed.data[$-1]; _stashed.shrinkTo(_stashed.data.length - 1); return de; } version(Windows) { struct DirHandle { string dirpath; HANDLE h; } bool stepIn(string directory) { auto search_pattern = chainPath(directory, "*.*"); WIN32_FIND_DATAW findinfo; HANDLE h = FindFirstFileW(search_pattern.tempCString!FSChar(), &findinfo); cenforce(h != INVALID_HANDLE_VALUE, directory); _stack.put(DirHandle(directory, h)); return toNext(false, &findinfo); } bool next() { if (_stack.data.empty) return false; WIN32_FIND_DATAW findinfo; return toNext(true, &findinfo); } bool toNext(bool fetch, WIN32_FIND_DATAW* findinfo) { import core.stdc.wchar_ : wcscmp; if (fetch) { if (FindNextFileW(_stack.data[$-1].h, findinfo) == FALSE) { popDirStack(); return false; } } while ( wcscmp(findinfo.cFileName.ptr, ".") == 0 || wcscmp(findinfo.cFileName.ptr, "..") == 0) if (FindNextFileW(_stack.data[$-1].h, findinfo) == FALSE) { popDirStack(); return false; } _cur = DirEntry(_stack.data[$-1].dirpath, findinfo); return true; } void popDirStack() { assert(!_stack.data.empty); FindClose(_stack.data[$-1].h); _stack.shrinkTo(_stack.data.length-1); } void releaseDirStack() { foreach ( d; _stack.data) FindClose(d.h); } bool mayStepIn() { return _followSymlink ? _cur.isDir : _cur.isDir && !_cur.isSymlink; } } else version(Posix) { struct DirHandle { string dirpath; DIR* h; } bool stepIn(string directory) { auto h = directory.length ? opendir(directory.tempCString()) : opendir("."); cenforce(h, directory); _stack.put(DirHandle(directory, h)); return next(); } bool next() { if (_stack.data.empty) return false; for (dirent* fdata; (fdata = readdir(_stack.data[$-1].h)) != null; ) { // Skip "." and ".." if (core.stdc.string.strcmp(fdata.d_name.ptr, ".") && core.stdc.string.strcmp(fdata.d_name.ptr, "..") ) { _cur = DirEntry(_stack.data[$-1].dirpath, fdata); return true; } } popDirStack(); return false; } void popDirStack() { assert(!_stack.data.empty); closedir(_stack.data[$-1].h); _stack.shrinkTo(_stack.data.length-1); } void releaseDirStack() { foreach ( d; _stack.data) closedir(d.h); } bool mayStepIn() { return _followSymlink ? _cur.isDir : attrIsDir(_cur.linkAttributes); } } this(R)(R pathname, SpanMode mode, bool followSymlink) if (isInputRange!R && isSomeChar!(ElementEncodingType!R)) { _mode = mode; _followSymlink = followSymlink; _stack = appender(cast(DirHandle[])[]); if (_mode == SpanMode.depth) _stashed = appender(cast(DirEntry[])[]); static if (isNarrowString!R && is(Unqual!(ElementEncodingType!R) == char)) alias pathnameStr = pathname; else { import std.array; string pathnameStr = pathname.array; } if (stepIn(pathnameStr)) { if (_mode == SpanMode.depth) while (mayStepIn()) { auto thisDir = _cur; if (stepIn(_cur.name)) { pushExtra(thisDir); } else break; } } } @property bool empty(){ return _stashed.data.empty && _stack.data.empty; } @property DirEntry front(){ return _cur; } void popFront() { switch (_mode) { case SpanMode.depth: if (next()) { while (mayStepIn()) { auto thisDir = _cur; if (stepIn(_cur.name)) { pushExtra(thisDir); } else break; } } else if (hasExtra()) _cur = popExtra(); break; case SpanMode.breadth: if (mayStepIn()) { if (!stepIn(_cur.name)) while (!empty && !next()){} } else while (!empty && !next()){} break; default: next(); } } ~this() { releaseDirStack(); } } struct DirIterator { private: RefCounted!(DirIteratorImpl, RefCountedAutoInitialize.no) impl; this(string pathname, SpanMode mode, bool followSymlink) { impl = typeof(impl)(pathname, mode, followSymlink); } public: @property bool empty(){ return impl.empty; } @property DirEntry front(){ return impl.front; } void popFront(){ impl.popFront(); } } /++ Returns an input range of DirEntry that lazily iterates a given directory, also provides two ways of foreach iteration. The iteration variable can be of type $(D_PARAM string) if only the name is needed, or $(D_PARAM DirEntry) if additional details are needed. The span mode dictates the how the directory is traversed. The name of the each directory entry iterated contains the absolute path. Params: path = The directory to iterate over. If empty, the current directory will be iterated. mode = Whether the directory's sub-directories should be iterated over depth-first ($(D_PARAM depth)), breadth-first ($(D_PARAM breadth)), or not at all ($(D_PARAM shallow)). followSymlink = Whether symbolic links which point to directories should be treated as directories and their contents iterated over. Throws: $(D FileException) if the directory does not exist. Example: -------------------- // Iterate a directory in depth foreach (string name; dirEntries("destroy/me", SpanMode.depth)) { remove(name); } // Iterate the current directory in breadth foreach (string name; dirEntries("", SpanMode.breadth)) { writeln(name); } // Iterate a directory and get detailed info about it foreach (DirEntry e; dirEntries("dmd-testing", SpanMode.breadth)) { writeln(e.name, "\t", e.size); } // Iterate over all *.d files in current directory and all its subdirectories auto dFiles = dirEntries("", SpanMode.depth).filter!(f => f.name.endsWith(".d")); foreach (d; dFiles) writeln(d.name); // Hook it up with std.parallelism to compile them all in parallel: foreach (d; parallel(dFiles, 1)) //passes by 1 file to each thread { string cmd = "dmd -c " ~ d.name; writeln(cmd); std.process.system(cmd); } -------------------- +/ auto dirEntries(string path, SpanMode mode, bool followSymlink = true) { return DirIterator(path, mode, followSymlink); } /// Duplicate functionality of D1's $(D std.file.listdir()): unittest { string[] listdir(string pathname) { import std.file; import std.path; import std.algorithm; import std.array; return std.file.dirEntries(pathname, SpanMode.shallow) .filter!(a => a.isFile) .map!(a => std.path.baseName(a.name)) .array; } void main(string[] args) { import std.stdio; string[] files = listdir(args[1]); writefln("%s", files); } } unittest { import std.algorithm; import std.range; import std.process; version(Android) string testdir = deleteme; // This has to be an absolute path when // called from a shared library on Android, // ie an apk else string testdir = "deleteme.dmd.unittest.std.file" ~ to!string(thisProcessID); // needs to be relative mkdirRecurse(buildPath(testdir, "somedir")); scope(exit) rmdirRecurse(testdir); write(buildPath(testdir, "somefile"), null); write(buildPath(testdir, "somedir", "somedeepfile"), null); // testing range interface size_t equalEntries(string relpath, SpanMode mode) { auto len = enforce(walkLength(dirEntries(absolutePath(relpath), mode))); assert(walkLength(dirEntries(relpath, mode)) == len); assert(equal( map!(a => std.path.absolutePath(a.name))(dirEntries(relpath, mode)), map!(a => a.name)(dirEntries(absolutePath(relpath), mode)))); return len; } assert(equalEntries(testdir, SpanMode.shallow) == 2); assert(equalEntries(testdir, SpanMode.depth) == 3); assert(equalEntries(testdir, SpanMode.breadth) == 3); // testing opApply foreach (string name; dirEntries(testdir, SpanMode.breadth)) { //writeln(name); assert(name.startsWith(testdir)); } foreach (DirEntry e; dirEntries(absolutePath(testdir), SpanMode.breadth)) { //writeln(name); assert(e.isFile || e.isDir, e.name); } //issue 7264 foreach (string name; dirEntries(testdir, "*.d", SpanMode.breadth)) { } foreach (entry; dirEntries(testdir, SpanMode.breadth)) { static assert(is(typeof(entry) == DirEntry)); } //issue 7138 auto a = array(dirEntries(testdir, SpanMode.shallow)); // issue 11392 auto dFiles = dirEntries(testdir, SpanMode.shallow); foreach (d; dFiles){} // issue 15146 dirEntries("", SpanMode.shallow).walkLength(); } /++ Convenience wrapper for filtering file names with a glob pattern. Params: path = The directory to iterate over. pattern = String with wildcards, such as $(RED "*.d"). The supported wildcard strings are described under $(XREF _path, globMatch). mode = Whether the directory's sub-directories should be iterated over depth-first ($(D_PARAM depth)), breadth-first ($(D_PARAM breadth)), or not at all ($(D_PARAM shallow)). followSymlink = Whether symbolic links which point to directories should be treated as directories and their contents iterated over. Throws: $(D FileException) if the directory does not exist. Example: -------------------- // Iterate over all D source files in current directory and all its // subdirectories auto dFiles = dirEntries("","*.{d,di}",SpanMode.depth); foreach (d; dFiles) writeln(d.name); -------------------- +/ auto dirEntries(string path, string pattern, SpanMode mode, bool followSymlink = true) { import std.algorithm : filter; bool f(DirEntry de) { return globMatch(baseName(de.name), pattern); } return filter!f(DirIterator(path, mode, followSymlink)); } unittest { import std.stdio : writefln; immutable dpath = deleteme ~ "_dir"; immutable fpath = deleteme ~ "_file"; immutable sdpath = deleteme ~ "_sdir"; immutable sfpath = deleteme ~ "_sfile"; scope(exit) { if (dpath.exists) rmdirRecurse(dpath); if (fpath.exists) remove(fpath); if (sdpath.exists) remove(sdpath); if (sfpath.exists) remove(sfpath); } mkdir(dpath); write(fpath, "hello world"); version (Posix) { core.sys.posix.unistd.symlink((dpath ~ '\0').ptr, (sdpath ~ '\0').ptr); core.sys.posix.unistd.symlink((fpath ~ '\0').ptr, (sfpath ~ '\0').ptr); } static struct Flags { bool dir, file, link; } auto tests = [dpath : Flags(true), fpath : Flags(false, true)]; version (Posix) { tests[sdpath] = Flags(true, false, true); tests[sfpath] = Flags(false, true, true); } auto past = Clock.currTime() - 2.seconds; auto future = past + 4.seconds; foreach (path, flags; tests) { auto de = DirEntry(path); assert(de.name == path); assert(de.isDir == flags.dir); assert(de.isFile == flags.file); assert(de.isSymlink == flags.link); assert(de.isDir == path.isDir); assert(de.isFile == path.isFile); assert(de.isSymlink == path.isSymlink); assert(de.size == path.getSize()); assert(de.attributes == getAttributes(path)); assert(de.linkAttributes == getLinkAttributes(path)); scope(failure) writefln("[%s] [%s] [%s] [%s]", past, de.timeLastAccessed, de.timeLastModified, future); assert(de.timeLastAccessed > past); assert(de.timeLastAccessed < future); assert(de.timeLastModified > past); assert(de.timeLastModified < future); assert(attrIsDir(de.attributes) == flags.dir); assert(attrIsDir(de.linkAttributes) == (flags.dir && !flags.link)); assert(attrIsFile(de.attributes) == flags.file); assert(attrIsFile(de.linkAttributes) == (flags.file && !flags.link)); assert(!attrIsSymlink(de.attributes)); assert(attrIsSymlink(de.linkAttributes) == flags.link); version(Windows) { assert(de.timeCreated > past); assert(de.timeCreated < future); } else version(Posix) { assert(de.timeStatusChanged > past); assert(de.timeStatusChanged < future); assert(de.attributes == de.statBuf.st_mode); } } } /** Reads an entire file into an array. */ Select!(Types.length == 1, Types[0][], Tuple!(Types)[]) slurp(Types...)(string filename, in char[] format) { import std.stdio : File; import std.format : formattedRead; import std.array : appender; typeof(return) result; auto app = appender!(typeof(return))(); ElementType!(typeof(return)) toAdd; auto f = File(filename); scope(exit) f.close(); foreach (line; f.byLine()) { formattedRead(line, format, &toAdd); enforce(line.empty, text("Trailing characters at the end of line: `", line, "'")); app.put(toAdd); } return app.data; } /// unittest { scope(exit) { assert(exists(deleteme)); remove(deleteme); } write(deleteme, "12 12.25\n345 1.125"); // deleteme is the name of a temporary file // Load file; each line is an int followed by comma, whitespace and a // double. auto a = slurp!(int, double)(deleteme, "%s %s"); assert(a.length == 2); assert(a[0] == tuple(12, 12.25)); assert(a[1] == tuple(345, 1.125)); } /** Returns the path to a directory for temporary files. On Windows, this function returns the result of calling the Windows API function $(LINK2 http://msdn.microsoft.com/en-us/library/windows/desktop/aa364992.aspx, $(D GetTempPath)). On POSIX platforms, it searches through the following list of directories and returns the first one which is found to exist: $(OL $(LI The directory given by the $(D TMPDIR) environment variable.) $(LI The directory given by the $(D TEMP) environment variable.) $(LI The directory given by the $(D TMP) environment variable.) $(LI $(D /tmp)) $(LI $(D /var/tmp)) $(LI $(D /usr/tmp)) ) On all platforms, $(D tempDir) returns $(D ".") on failure, representing the current working directory. The return value of the function is cached, so the procedures described above will only be performed the first time the function is called. All subsequent runs will return the same string, regardless of whether environment variables and directory structures have changed in the meantime. The POSIX $(D tempDir) algorithm is inspired by Python's $(LINK2 http://docs.python.org/library/tempfile.html#tempfile.tempdir, $(D tempfile.tempdir)). */ string tempDir() @trusted { static string cache; if (cache is null) { version(Windows) { import std.utf : toUTF8; // http://msdn.microsoft.com/en-us/library/windows/desktop/aa364992(v=vs.85).aspx wchar[MAX_PATH + 2] buf; DWORD len = GetTempPathW(buf.length, buf.ptr); if (len) cache = toUTF8(buf[0 .. len]); } else version(Android) { // Don't check for a global temporary directory as // Android doesn't have one. } else version(Posix) { import std.process : environment; // This function looks through the list of alternative directories // and returns the first one which exists and is a directory. static string findExistingDir(T...)(lazy T alternatives) { foreach (dir; alternatives) if (!dir.empty && exists(dir)) return dir; return null; } cache = findExistingDir(environment.get("TMPDIR"), environment.get("TEMP"), environment.get("TMP"), "/tmp", "/var/tmp", "/usr/tmp"); } else static assert (false, "Unsupported platform"); if (cache is null) cache = getcwd(); } return cache; }
D
/Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/WebSocketFrameDecoder.swift.o : /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/SHA1.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/Base64.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketOpcode.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketFrame.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketUpgrader.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketFrameDecoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketFrameEncoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketProtocolErrorHandler.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketErrorCodes.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOSHA1/include/CNIOSHA1.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOZlib/include/CNIOZlib.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/CNIOHTTPParser.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/WebSocketFrameDecoder~partial.swiftmodule : /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/SHA1.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/Base64.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketOpcode.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketFrame.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketUpgrader.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketFrameDecoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketFrameEncoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketProtocolErrorHandler.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketErrorCodes.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOSHA1/include/CNIOSHA1.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOZlib/include/CNIOZlib.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/CNIOHTTPParser.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/WebSocketFrameDecoder~partial.swiftdoc : /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/SHA1.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/Base64.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketOpcode.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketFrame.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketUpgrader.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketFrameDecoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketFrameEncoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketProtocolErrorHandler.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/NIOWebSocket/WebSocketErrorCodes.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOHTTP1.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOSHA1/include/CNIOSHA1.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOZlib/include/CNIOZlib.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/CNIOHTTPParser.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOHTTPParser/include/c_nio_http_parser.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes
D
// // Written and provided by Benjamin Thaut // Complications improved by Rainer Schuetze // // file access monitoring added by Rainer Schuetze, needs filemonitor.dll in the same // directory as pipedmd.exe module pipedmd; import std.stdio; import std.c.windows.windows; import std.windows.charset; import core.stdc.string; import std.string; import std.regex; import core.demangle; import std.array; import std.algorithm; import std.conv; import std.path; import std.utf; extern(C) { struct PROCESS_INFORMATION { HANDLE hProcess; HANDLE hThread; DWORD dwProcessId; DWORD dwThreadId; } alias PROCESS_INFORMATION* LPPROCESS_INFORMATION; struct STARTUPINFOA { DWORD cb; LPSTR lpReserved; LPSTR lpDesktop; LPSTR lpTitle; DWORD dwX; DWORD dwY; DWORD dwXSize; DWORD dwYSize; DWORD dwXCountChars; DWORD dwYCountChars; DWORD dwFillAttribute; DWORD dwFlags; WORD wShowWindow; WORD cbReserved2; LPBYTE lpReserved2; HANDLE hStdInput; HANDLE hStdOutput; HANDLE hStdError; } alias STARTUPINFOA* LPSTARTUPINFOA; enum { CP_ACP = 0, CP_OEMCP = 1, CP_MACCP = 2, CP_THREAD_ACP = 3, CP_SYMBOL = 42, CP_UTF7 = 65000, CP_UTF8 = 65001 } } extern(System) { BOOL CreatePipe( HANDLE* hReadPipe, HANDLE* hWritePipe, SECURITY_ATTRIBUTES* lpPipeAttributes, DWORD nSize ); BOOL SetHandleInformation( HANDLE hObject, DWORD dwMask, DWORD dwFlags ); BOOL CreateProcessA( LPCSTR lpApplicationName, LPSTR lpCommandLine, LPSECURITY_ATTRIBUTES lpProcessAttributes, LPSECURITY_ATTRIBUTES lpThreadAttributes, BOOL bInheritHandles, DWORD dwCreationFlags, LPVOID lpEnvironment, LPCSTR lpCurrentDirectory, LPSTARTUPINFOA lpStartupInfo, LPPROCESS_INFORMATION lpProcessInformation ); BOOL GetExitCodeProcess( HANDLE hProcess, LPDWORD lpExitCode ); BOOL PeekNamedPipe( HANDLE hNamedPipe, LPVOID lpBuffer, DWORD nBufferSize, LPDWORD lpBytesRead, LPDWORD lpTotalBytesAvail, LPDWORD lpBytesLeftThisMessage ); UINT GetKBCodePage(); } enum uint HANDLE_FLAG_INHERIT = 0x00000001; enum uint HANDLE_FLAG_PROTECT_FROM_CLOSE = 0x00000002; enum uint STARTF_USESHOWWINDOW = 0x00000001; enum uint STARTF_USESIZE = 0x00000002; enum uint STARTF_USEPOSITION = 0x00000004; enum uint STARTF_USECOUNTCHARS = 0x00000008; enum uint STARTF_USEFILLATTRIBUTE = 0x00000010; enum uint STARTF_RUNFULLSCREEN = 0x00000020; // ignored for non-x86 platforms enum uint STARTF_FORCEONFEEDBACK = 0x00000040; enum uint STARTF_FORCEOFFFEEDBACK = 0x00000080; enum uint STARTF_USESTDHANDLES = 0x00000100; enum uint CREATE_SUSPENDED = 0x00000004; alias std.c.stdio.stdout stdout; static bool isIdentifierChar(char ch) { // include C++,Pascal,Windows mangling and UTF8 encoding and compression return ch >= 0x80 || (ch >= '0' && ch <= '9') || (ch >= 'a' && ch <= 'z') || (ch >= 'A' && ch <= 'Z') || ch == '_'; } static bool isDigit(char ch) { return (ch >= '0' && ch <= '9'); } int main(string[] argv) { if(argv.length < 2) { printf("pipedmd V0.2, written 2012 by Benjamin Thaut, complications improved by Rainer Schuetze\n"); printf("decompresses and demangles names in OPTLINK and ld messages\n"); printf("\n"); printf("usage: %.*s [-nodemangle] [-gdcmode | -msmode] [-deps depfile] [executable] [arguments]\n", argv[0].length, argv[0].ptr); return -1; } int skipargs; string depsfile; bool doDemangle = true; bool gdcMode = false; //gcc linker bool msMode = false; //microsft linker if(argv.length >= 2 && argv[1] == "-nodemangle") { doDemangle = false; skipargs = 1; } if(argv.length >= skipargs + 2 && argv[skipargs + 1] == "-gdcmode") { gdcMode = true; skipargs++; } if(argv.length >= skipargs + 2 && argv[skipargs + 1] == "-msmode") { msMode = true; skipargs++; } if(argv.length > skipargs + 2 && argv[skipargs + 1] == "-deps") depsfile = argv[skipargs += 2]; string command; //= "gdc"; for(int i = skipargs + 1;i < argv.length; i++) { if(command.length > 0) command ~= " "; if(countUntil(argv[i], ' ') < argv[i].length) command ~= "\"" ~ replace(argv[i], "\"", "\\\"") ~ "\""; else command ~= argv[i]; } HANDLE hStdOutRead; HANDLE hStdOutWrite; HANDLE hStdInRead; HANDLE hStdInWrite; SECURITY_ATTRIBUTES saAttr; // Set the bInheritHandle flag so pipe handles are inherited. saAttr.nLength = SECURITY_ATTRIBUTES.sizeof; saAttr.bInheritHandle = TRUE; saAttr.lpSecurityDescriptor = null; // Create a pipe for the child process's STDOUT. if ( ! CreatePipe(&hStdOutRead, &hStdOutWrite, &saAttr, 0) ) assert(0); // Ensure the read handle to the pipe for STDOUT is not inherited. if ( ! SetHandleInformation(hStdOutRead, HANDLE_FLAG_INHERIT, 0) ) assert(0); if ( ! CreatePipe(&hStdInRead, &hStdInWrite, &saAttr, 0) ) assert(0); if ( ! SetHandleInformation(hStdInWrite, HANDLE_FLAG_INHERIT, 0) ) assert(0); PROCESS_INFORMATION piProcInfo; STARTUPINFOA siStartInfo; BOOL bSuccess = FALSE; // Set up members of the PROCESS_INFORMATION structure. memset( &piProcInfo, 0, PROCESS_INFORMATION.sizeof ); // Set up members of the STARTUPINFO structure. // This structure specifies the STDIN and STDOUT handles for redirection. memset( &siStartInfo, 0, STARTUPINFOA.sizeof ); siStartInfo.cb = STARTUPINFOA.sizeof; siStartInfo.hStdError = hStdOutWrite; siStartInfo.hStdOutput = hStdOutWrite; siStartInfo.hStdInput = hStdInRead; siStartInfo.dwFlags |= STARTF_USESTDHANDLES; int cp = GetKBCodePage(); auto szCommand = toMBSz(command, cp); bSuccess = CreateProcessA(null, cast(char*)szCommand, // command line null, // process security attributes null, // primary thread security attributes TRUE, // handles are inherited CREATE_SUSPENDED, // creation flags null, // use parent's environment null, // use parent's current directory &siStartInfo, // STARTUPINFO pointer &piProcInfo); // receives PROCESS_INFORMATION if(!bSuccess) { printf("failed launching %s\n", szCommand); return 1; } if(depsfile.length) InjectDLL(piProcInfo.hProcess, depsfile); ResumeThread(piProcInfo.hThread); char[] buffer = new char[2048]; WCHAR[] decodeBufferWide; char[] decodeBuffer; DWORD bytesRead = 0; DWORD bytesAvaiable = 0; DWORD exitCode = 0; bool linkerFound = gdcMode || msMode; while(true) { bSuccess = PeekNamedPipe(hStdOutRead, buffer.ptr, buffer.length, &bytesRead, &bytesAvaiable, null); if(bSuccess && bytesAvaiable > 0) { size_t lineLength = 0; for(; lineLength < buffer.length && lineLength < bytesAvaiable && buffer[lineLength] != '\n'; lineLength++){} if(lineLength >= bytesAvaiable) { // if no line end found, retry with larger buffer if(lineLength >= buffer.length) buffer.length = buffer.length * 2; continue; } bSuccess = ReadFile(hStdOutRead, buffer.ptr, lineLength+1, &bytesRead, null); if(!bSuccess || bytesRead == 0) break; bytesRead--; //remove \n while(bytesRead > 0 && buffer[bytesRead-1] == '\r') // remove \r bytesRead--; DWORD skip = 0; while(skip < bytesRead && buffer[skip] == '\r') // remove \r skip++; char[] output = buffer[skip..bytesRead]; if(msMode) //the microsoft linker outputs the error messages in the default ANSI codepage so we need to convert it to UTF-8 { if(decodeBufferWide.length < output.length + 1) { decodeBufferWide.length = output.length + 1; decodeBuffer.length = 2 * output.length + 1; } auto numDecoded = MultiByteToWideChar(CP_ACP, 0, output.ptr, output.length, decodeBufferWide.ptr, decodeBufferWide.length); auto numEncoded = WideCharToMultiByte(CP_UTF8, 0, decodeBufferWide.ptr, numDecoded, decodeBuffer.ptr, decodeBuffer.length, null, null); output = decodeBuffer[0..numEncoded]; } size_t writepos = 0; if(!linkerFound) { if (output.startsWith("OPTLINK (R)")) linkerFound = true; else if(output.countUntil("error LNK") >= 0 || output.countUntil("warning LNK") >= 0) linkerFound = msMode = true; } if(doDemangle && linkerFound) { void processLine(bool optlink) { for(int p = 0; p < output.length; p++) { if(isIdentifierChar(output[p])) { int q = p; while(p < output.length && isIdentifierChar(output[p])) p++; auto symbolName = output[q..p]; const(char)[] realSymbolName = symbolName; if(optlink) { size_t pos = 0; realSymbolName = decodeDmdString(symbolName, pos); if(pos != p - q) { // could not decode, might contain UTF8 elements, so try translating to the current code page // (demangling will not work anyway) try { auto szName = toMBSz(symbolName, cp); auto plen = strlen(szName); realSymbolName = szName[0..plen]; pos = p - q; } catch(Exception) { realSymbolName = null; } } } if(realSymbolName.length) { if(realSymbolName != symbolName) { // not sure if output is UTF8 encoded, so avoid any translation if(q > writepos) fwrite(output.ptr + writepos, q - writepos, 1, stdout); fwrite(realSymbolName.ptr, realSymbolName.length, 1, stdout); writepos = p; } while(realSymbolName.length > 1 && realSymbolName[0] == '_') realSymbolName = realSymbolName[1..$]; if(realSymbolName.length > 2 && realSymbolName[0] == 'D' && isDigit(realSymbolName[1])) { try { symbolName = demangle(realSymbolName); } catch(Exception) { } if(realSymbolName != symbolName) { // skip a trailing quote if(p + 1 < output.length && (output[p+1] == '\'' || output[p+1] == '\"')) p++; if(p > writepos) fwrite(output.ptr + writepos, p - writepos, 1, stdout); writepos = p; fwrite(" (".ptr, 2, 1, stdout); fwrite(symbolName.ptr, symbolName.length, 1, stdout); fwrite(")".ptr, 1, 1, stdout); } } } } } } if(gdcMode) { if(output.countUntil("undefined reference to") >= 0 || output.countUntil("In function") >= 0) { processLine(false); } } else if(msMode) { if(output.countUntil("LNK") >= 0) { processLine(false); } } else { processLine(true); } } if(writepos < output.length) fwrite(output.ptr + writepos, output.length - writepos, 1, stdout); fputc('\n', stdout); } else { bSuccess = GetExitCodeProcess(piProcInfo.hProcess, &exitCode); if(!bSuccess || exitCode != 259) //259 == STILL_ACTIVE break; Sleep(5); } } //close the handles to the process CloseHandle(hStdInWrite); CloseHandle(hStdOutRead); CloseHandle(piProcInfo.hProcess); CloseHandle(piProcInfo.hThread); return exitCode; } /////////////////////////////////////////////////////////////////////////////// // inject DLL into linker process to monitor file reads alias extern(Windows) DWORD function(LPVOID lpThreadParameter) LPTHREAD_START_ROUTINE; extern(Windows) BOOL WriteProcessMemory(HANDLE hProcess, LPVOID lpBaseAddress, LPCVOID lpBuffer, SIZE_T nSize, SIZE_T * lpNumberOfBytesWritten); extern(Windows) HANDLE CreateRemoteThread(HANDLE hProcess, LPSECURITY_ATTRIBUTES lpThreadAttributes, SIZE_T dwStackSize, LPTHREAD_START_ROUTINE lpStartAddress, LPVOID lpParameter, DWORD dwCreationFlags, LPDWORD lpThreadId); void InjectDLL(HANDLE hProcess, string depsfile) { HANDLE hThread, hRemoteModule; HMODULE appmod = GetModuleHandleA(null); wchar[] wmodname = new wchar[260]; DWORD len = GetModuleFileNameW(appmod, wmodname.ptr, wmodname.length); if(len > wmodname.length) { wmodname = new wchar[len + 1]; GetModuleFileNameW(null, wmodname.ptr, len + 1); } string modpath = to!string(wmodname); string dll = buildPath(std.path.dirName(modpath), "filemonitor.dll"); auto wdll = to!wstring(dll) ~ cast(wchar)0; // detect offset of dumpFile HMODULE fmod = LoadLibraryW(wdll.ptr); if(!fmod) return; size_t addr = cast(size_t)GetProcAddress(fmod, "_D11filemonitor8dumpFileG260a"); FreeLibrary(fmod); if(addr == 0) return; addr = addr - cast(size_t)fmod; // copy path to other process auto wdllRemote = VirtualAllocEx(hProcess, null, wdll.length * 2, MEM_COMMIT, PAGE_READWRITE); auto procWrite = getWriteProcFunc(); procWrite(hProcess, wdllRemote, wdll.ptr, wdll.length * 2, null); // load dll into other process, assuming LoadLibraryW is at the same address in all processes HMODULE mod = GetModuleHandleA("Kernel32"); auto proc = GetProcAddress(mod, "LoadLibraryW"); hThread = getCreateRemoteThreadFunc()(hProcess, null, 0, cast(LPTHREAD_START_ROUTINE)proc, wdllRemote, 0, null); WaitForSingleObject(hThread, INFINITE); // Get handle of the loaded module GetExitCodeThread(hThread, cast(DWORD*) &hRemoteModule); // Clean up CloseHandle(hThread); VirtualFreeEx(hProcess, wdllRemote, wdll.length * 2, MEM_RELEASE); void* pDumpFile = cast(char*)hRemoteModule + addr; // printf("remotemod = %p, addr = %p\n", hRemoteModule, pDumpFile); auto szDepsFile = toMBSz(depsfile); procWrite(hProcess, pDumpFile, szDepsFile, strlen(szDepsFile) + 1, null); } typeof(WriteProcessMemory)* getWriteProcFunc () { HMODULE mod = GetModuleHandleA("Kernel32"); auto proc = GetProcAddress(mod, "WriteProcessMemory"); return cast(typeof(WriteProcessMemory)*)proc; } typeof(CreateRemoteThread)* getCreateRemoteThreadFunc () { HMODULE mod = GetModuleHandleA("Kernel32"); auto proc = GetProcAddress(mod, "CreateRemoteThread"); return cast(typeof(CreateRemoteThread)*)proc; }
D
import std.stdio; import std.algorithm; import std.string; import std.conv; import core.thread; import std.socket; import std.json; import bot; dstring[] Load_dictionary() { writeln("Loading dictionary from '/usr/share/dict/words'"); //auto f = File("/usr/share/dict/words"); auto f = File("words"); scope(exit) f.close(); dstring[] lines; foreach (str; f.byLine) { if(indexOf(str.idup, "'") > -1) continue; lines ~= to!dstring(str.idup); } return lines; } void main() { //Try to load connection settings from file //Otherwise generate that file JSONValue connection = parseJSON("{}"); connection.object["nick"] = "test"; connection.object["port"] = 6667; JSONValue root = parseJSON("{}"); root.object["connection"] = connection; writeln(toJSON(&root)); //Try to load game state from file //Otherwise provide default state object to the bot //The state object should have a save method so the bot can refresh the state on disk as changes occur. dstring[] dict = Load_dictionary(); Bot bot = new Bot(new TcpSocket(), dict); while(!bot.Exit) { while(!bot.Connected) { try { bot = new Bot(new TcpSocket(), dict); auto address = new InternetAddress("irc.freenode.net", 6667); bot.Connect(address, "ragaman", "##anagram"); } catch(Exception e) { writeln(e.msg); Thread.sleep( dur!("msecs")( 5000 ) ); } } Thread.sleep( dur!("msecs")( 50 ) ); bot.Update(); } }
D
a layer of cells on the inside of the blastula
D
// *********************************************** // B_SetNpcVisual // -------------- // die Hautfabe wird hier ÜBERGANGEN (ist immer 0) // und muß manuell korrekt gesetzt werden! // Ausserdem gibt es nur EIN Nacktmesh für Männer // und EINS für Frauen // *********************************************** func void B_SetNpcVisual (var C_NPC slf, var int gender, var string headMesh, var int faceTex, var int bodyTex, var int armorInstance) { slf.aivar[AIV_Gender] = gender; // ------ Anis - für Männer und Frauen gleich (Unterschiede werden ggf. durch Ani-Overlays gemacht ------ Mdl_SetVisual (slf,"HUMANS.MDS"); if (gender == MALE) { // ------ Visual ------ "body_Mesh", bodyTex SkinColor headMesh, faceTex, teethTex, armorInstance Mdl_SetVisualBody (slf, "hum_body_Naked0", bodyTex, 0, headMesh, faceTex, 0, armorInstance); // ------ schwache NSCs sind schmal ------ if (slf.attribute[ATR_STRENGTH] < 50) { Mdl_SetModelScale (slf, 0.9, 1, 1); //BREITE / Höhe / Tiefe }; // ------ starke NSCs sind breit ------ if (slf.attribute[ATR_STRENGTH] > 100) { Mdl_SetModelScale (slf, 1.1, 1, 1); //BREITE / Höhe / Tiefe }; } else //gender == FEMALE { if (bodyTex >= 0) && (bodyTex <= 3) //MännerBodyTex angegeben { bodyTex = bodyTex + 4; // Females haben Variation 4-7 (Males 0-3) }; // ------ Visual ------ "Bab_body_Mesh", bodyTex SkinColor headMesh, faceTex, teethTex, armorInstance Mdl_SetVisualBody (slf, "Hum_Body_Babe0", bodyTex, 0, headMesh, faceTex, 0, armorInstance); }; }; func void B_SetNpcVisualZombie (var C_NPC slf, var int gender, var string headMesh, var int faceTex, var int bodyTex, var int armorInstance) { slf.aivar[AIV_Gender] = gender; // ------ Anis - für Männer und Frauen gleich (Unterschiede werden ggf. durch Ani-Overlays gemacht ------ Mdl_SetVisual (slf,"HUMANS.MDS"); if (gender == MALE) { // ------ Visual ------ "body_Mesh", bodyTex SkinColor headMesh, faceTex, teethTex, armorInstance Mdl_SetVisualBody (slf, "zom_body", bodyTex, 0, headMesh, faceTex, 0, armorInstance); }; };
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 vtkGeneralTransform; static import vtkd_im; static import core.stdc.config; static import std.conv; static import std.string; static import std.conv; static import std.string; static import vtkObjectBase; static import SWIGTYPE_p_double; static import SWIGTYPE_p_float; static import vtkMatrix4x4; static import vtkAbstractTransform; static import SWIGTYPE_p_a_3__float; static import SWIGTYPE_p_a_3__double; class vtkGeneralTransform : vtkAbstractTransform.vtkAbstractTransform { private void* swigCPtr; public this(void* cObject, bool ownCObject) { super(vtkd_im.vtkGeneralTransform_Upcast(cObject), ownCObject); swigCPtr = cObject; } public static void* swigGetCPtr(vtkGeneralTransform obj) { return (obj is null) ? null : obj.swigCPtr; } mixin vtkd_im.SwigOperatorDefinitions; public override void dispose() { synchronized(this) { if (swigCPtr !is null) { if (swigCMemOwn) { swigCMemOwn = false; throw new object.Exception("C++ destructor does not have public access"); } swigCPtr = null; super.dispose(); } } } public static vtkGeneralTransform New() { void* cPtr = vtkd_im.vtkGeneralTransform_New(); vtkGeneralTransform ret = (cPtr is null) ? null : new vtkGeneralTransform(cPtr, false); return ret; } public static int IsTypeOf(string type) { auto ret = vtkd_im.vtkGeneralTransform_IsTypeOf((type ? std.string.toStringz(type) : null)); return ret; } public static vtkGeneralTransform SafeDownCast(vtkObjectBase.vtkObjectBase o) { void* cPtr = vtkd_im.vtkGeneralTransform_SafeDownCast(vtkObjectBase.vtkObjectBase.swigGetCPtr(o)); vtkGeneralTransform ret = (cPtr is null) ? null : new vtkGeneralTransform(cPtr, false); return ret; } public vtkGeneralTransform NewInstance() const { void* cPtr = vtkd_im.vtkGeneralTransform_NewInstance(cast(void*)swigCPtr); vtkGeneralTransform ret = (cPtr is null) ? null : new vtkGeneralTransform(cPtr, false); return ret; } alias vtkAbstractTransform.vtkAbstractTransform.NewInstance NewInstance; public void Identity() { vtkd_im.vtkGeneralTransform_Identity(cast(void*)swigCPtr); } public void Translate(double x, double y, double z) { vtkd_im.vtkGeneralTransform_Translate__SWIG_0(cast(void*)swigCPtr, x, y, z); } public void Translate(SWIGTYPE_p_double.SWIGTYPE_p_double x) { vtkd_im.vtkGeneralTransform_Translate__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(x)); } public void Translate(SWIGTYPE_p_float.SWIGTYPE_p_float x) { vtkd_im.vtkGeneralTransform_Translate__SWIG_2(cast(void*)swigCPtr, SWIGTYPE_p_float.SWIGTYPE_p_float.swigGetCPtr(x)); } public void RotateWXYZ(double angle, double x, double y, double z) { vtkd_im.vtkGeneralTransform_RotateWXYZ__SWIG_0(cast(void*)swigCPtr, angle, x, y, z); } public void RotateWXYZ(double angle, SWIGTYPE_p_double.SWIGTYPE_p_double axis) { vtkd_im.vtkGeneralTransform_RotateWXYZ__SWIG_1(cast(void*)swigCPtr, angle, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(axis)); } public void RotateWXYZ(double angle, SWIGTYPE_p_float.SWIGTYPE_p_float axis) { vtkd_im.vtkGeneralTransform_RotateWXYZ__SWIG_2(cast(void*)swigCPtr, angle, SWIGTYPE_p_float.SWIGTYPE_p_float.swigGetCPtr(axis)); } public void RotateX(double angle) { vtkd_im.vtkGeneralTransform_RotateX(cast(void*)swigCPtr, angle); } public void RotateY(double angle) { vtkd_im.vtkGeneralTransform_RotateY(cast(void*)swigCPtr, angle); } public void RotateZ(double angle) { vtkd_im.vtkGeneralTransform_RotateZ(cast(void*)swigCPtr, angle); } public void Scale(double x, double y, double z) { vtkd_im.vtkGeneralTransform_Scale__SWIG_0(cast(void*)swigCPtr, x, y, z); } public void Scale(SWIGTYPE_p_double.SWIGTYPE_p_double s) { vtkd_im.vtkGeneralTransform_Scale__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(s)); } public void Scale(SWIGTYPE_p_float.SWIGTYPE_p_float s) { vtkd_im.vtkGeneralTransform_Scale__SWIG_2(cast(void*)swigCPtr, SWIGTYPE_p_float.SWIGTYPE_p_float.swigGetCPtr(s)); } public void Concatenate(vtkMatrix4x4.vtkMatrix4x4 matrix) { vtkd_im.vtkGeneralTransform_Concatenate__SWIG_0(cast(void*)swigCPtr, vtkMatrix4x4.vtkMatrix4x4.swigGetCPtr(matrix)); } public void Concatenate(SWIGTYPE_p_double.SWIGTYPE_p_double elements) { vtkd_im.vtkGeneralTransform_Concatenate__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(elements)); } public void Concatenate(vtkAbstractTransform.vtkAbstractTransform transform) { vtkd_im.vtkGeneralTransform_Concatenate__SWIG_2(cast(void*)swigCPtr, vtkAbstractTransform.vtkAbstractTransform.swigGetCPtr(transform)); } public void PreMultiply() { vtkd_im.vtkGeneralTransform_PreMultiply(cast(void*)swigCPtr); } public void PostMultiply() { vtkd_im.vtkGeneralTransform_PostMultiply(cast(void*)swigCPtr); } public int GetNumberOfConcatenatedTransforms() { auto ret = vtkd_im.vtkGeneralTransform_GetNumberOfConcatenatedTransforms(cast(void*)swigCPtr); return ret; } public vtkAbstractTransform.vtkAbstractTransform GetConcatenatedTransform(int i) { void* cPtr = vtkd_im.vtkGeneralTransform_GetConcatenatedTransform(cast(void*)swigCPtr, i); vtkAbstractTransform.vtkAbstractTransform ret = (cPtr is null) ? null : new vtkAbstractTransform.vtkAbstractTransform(cPtr, false); return ret; } public void SetInput(vtkAbstractTransform.vtkAbstractTransform input) { vtkd_im.vtkGeneralTransform_SetInput(cast(void*)swigCPtr, vtkAbstractTransform.vtkAbstractTransform.swigGetCPtr(input)); } public vtkAbstractTransform.vtkAbstractTransform GetInput() { void* cPtr = vtkd_im.vtkGeneralTransform_GetInput(cast(void*)swigCPtr); vtkAbstractTransform.vtkAbstractTransform ret = (cPtr is null) ? null : new vtkAbstractTransform.vtkAbstractTransform(cPtr, false); return ret; } public int GetInverseFlag() { auto ret = vtkd_im.vtkGeneralTransform_GetInverseFlag(cast(void*)swigCPtr); return ret; } public void Push() { vtkd_im.vtkGeneralTransform_Push(cast(void*)swigCPtr); } public void Pop() { vtkd_im.vtkGeneralTransform_Pop(cast(void*)swigCPtr); } public override void InternalTransformPoint(SWIGTYPE_p_float.SWIGTYPE_p_float arg0, SWIGTYPE_p_float.SWIGTYPE_p_float arg1) { vtkd_im.vtkGeneralTransform_InternalTransformPoint__SWIG_0(cast(void*)swigCPtr, SWIGTYPE_p_float.SWIGTYPE_p_float.swigGetCPtr(arg0), SWIGTYPE_p_float.SWIGTYPE_p_float.swigGetCPtr(arg1)); } public override void InternalTransformPoint(SWIGTYPE_p_double.SWIGTYPE_p_double arg0, SWIGTYPE_p_double.SWIGTYPE_p_double arg1) { vtkd_im.vtkGeneralTransform_InternalTransformPoint__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(arg0), SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(arg1)); } public override void InternalTransformDerivative(SWIGTYPE_p_float.SWIGTYPE_p_float arg0, SWIGTYPE_p_float.SWIGTYPE_p_float arg1, SWIGTYPE_p_a_3__float.SWIGTYPE_p_a_3__float derivative) { vtkd_im.vtkGeneralTransform_InternalTransformDerivative__SWIG_0(cast(void*)swigCPtr, SWIGTYPE_p_float.SWIGTYPE_p_float.swigGetCPtr(arg0), SWIGTYPE_p_float.SWIGTYPE_p_float.swigGetCPtr(arg1), SWIGTYPE_p_a_3__float.SWIGTYPE_p_a_3__float.swigGetCPtr(derivative)); } public override void InternalTransformDerivative(SWIGTYPE_p_double.SWIGTYPE_p_double arg0, SWIGTYPE_p_double.SWIGTYPE_p_double arg1, SWIGTYPE_p_a_3__double.SWIGTYPE_p_a_3__double derivative) { vtkd_im.vtkGeneralTransform_InternalTransformDerivative__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(arg0), SWIGTYPE_p_double.SWIGTYPE_p_double.swigGetCPtr(arg1), SWIGTYPE_p_a_3__double.SWIGTYPE_p_a_3__double.swigGetCPtr(derivative)); } }
D
module thBase.serialize.wrapper; /** * XmlWrapper type for a nicer xml output */ struct XmlValue(T){ T value; /** * constructor * Params: * value = value to store */ this(T value){ this.value = value; } }
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric, std.container, std.range; void get(Args...)(ref Args args) { import std.traits, std.meta, std.typecons; static if (Args.length == 1) { alias Arg = Args[0]; static if (isArray!Arg) { static if (isSomeChar!(ElementType!Arg)) { args[0] = readln.chomp.to!Arg; } else { args[0] = readln.split.to!Arg; } } else static if (isTuple!Arg) { auto input = readln.split; static foreach (i; 0..Fields!Arg.length) { args[0][i] = input[i].to!(Fields!Arg[i]); } } else { args[0] = readln.chomp.to!Arg; } } else { auto input = readln.split; assert(input.length == Args.length); static foreach (i; 0..Args.length) { args[i] = input[i].to!(Args[i]); } } } void get_lines(Args...)(size_t N, ref Args args) { import std.traits, std.range; static foreach (i; 0..Args.length) { static assert(isArray!(Args[i])); args[i].length = N; } foreach (i; 0..N) { static if (Args.length == 1) { get(args[0][i]); } else { auto input = readln.split; static foreach (j; 0..Args.length) { args[j][i] = input[j].to!(ElementType!(Args[j])); } } } } import std.random; void main() { int N, M, K; get(N, M, K); int[] aa, bb; get_lines(M, aa, bb); auto outs = new bool[][](N, N); foreach (i; 0..M) outs[aa[i]][bb[i]] = outs[bb[i]][aa[i]] = true; auto os = 0.iota(N).array(); int ok, ng; foreach (_t; 0..5 * 10^^6) { auto ss = os.dup; foreach (_k; 0..K) { for (;;) { auto i = uniform(0, N); auto j = uniform(0, N); if (i != j) { swap(ss[i], ss[j]); break; } } } if (0.iota(N).any!(i => outs[ss[i]][ss[(i + 1) % N]])) { ++ng; } else { ++ok; } } writefln!"%.6f"(ok.to!double / (ok + ng).to!double); }
D
version(Have_autowrap_pynih) import autowrap.pynih; else version(Have_autowrap_csharp) import autowrap.csharp; else import autowrap.python; immutable Modules modules = Modules(Module("prefix"), Module("adder"), Module("structs"), Module("templates"), Module("api"), Module("wrap_all", Yes.alwaysExport)); version(Have_autowrap_csharp) { mixin( wrapCSharp( modules, OutputFileName("Simple.cs"), autowrap.csharp.LibraryName("simple"), RootNamespace("Autowrap.CSharp.Examples.Simple") ) ); } else { enum str = wrapDlang!( LibraryName("simple"), modules, ); //pragma(msg,str); mixin(str); }
D
a stage area out of sight of the audience concealed from public view or attention out of view of the public in or to a backstage area of a theater
D
<><><><><><><><><><><><><><><><><> starting /home/sdcc-builder/build/sdcc-build/orig/sdcc/src/pic16/ralloc.c:pic16_assignRegisters ebbs before optimizing: ---------------------------------------------------------------- Basic Block _entry : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 1 : bbnum = 0 1st iCode = 1 , last iCode = 25 visited 0 : hasFcall = 1 defines bitVector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } local defines bitVector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (8) (9) (10) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector : outDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } usesDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (8) (9) (10) (11) (12) (13) (14) (16) (17) (18) (19) } ---------------------------------------------------------------- Bibliotecas/pwm.c(l24:s1:k0:d0:s0) _entry($2) : Bibliotecas/pwm.c(l24:s2:k1:d0:s0) proc _SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} Bibliotecas/pwm.c(l24:s3:k2:d0:s0) iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM1_porcento_1_5} = recv _SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} Bibliotecas/pwm.c(l31:s4:k3:d0:s0) iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = (unsigned-int fixed)iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM1_porcento_1_5} Bibliotecas/pwm.c(l31:s5:k4:d0:s0) iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} = (int fixed)_PR2 [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Bibliotecas/pwm.c(l31:s6:k5:d0:s0) iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} = iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} + 0x1 {int literal} Bibliotecas/pwm.c(l31:s7:k6:d0:s0) iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = (unsigned-int fixed)iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} Bibliotecas/pwm.c(l31:s8:k23:d0:s0) send iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{argreg = 1} Bibliotecas/pwm.c(l31:s9:k24:d0:s0) send iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{argreg = 2} Bibliotecas/pwm.c(l31:s10:k25:d0:s0) iTemp6 [k11 lr10:11 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} = call __mulint [k22 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int function ( int fixed, int fixed) fixed} Bibliotecas/pwm.c(l31:s11:k8:d0:s0) iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} := iTemp6 [k11 lr10:11 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} Bibliotecas/pwm.c(l32:s12:k26:d0:s0) send iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6}{argreg = 1} Bibliotecas/pwm.c(l32:s13:k27:d0:s0) send 0x19 {unsigned-int literal}{argreg = 2} Bibliotecas/pwm.c(l32:s14:k28:d0:s0) iTemp7 [k12 lr14:15 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = call __divuint [k23 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int function ( unsigned-int fixed, unsigned-int fixed) fixed} Bibliotecas/pwm.c(l32:s15:k10:d0:s0) iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} := iTemp7 [k12 lr14:15 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Bibliotecas/pwm.c(l34:s16:k11:d0:s0) iTemp8 [k13 lr16:17 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} & 0x3ff {unsigned-int literal} Bibliotecas/pwm.c(l34:s17:k12:d0:s0) iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} := iTemp8 [k13 lr16:17 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Bibliotecas/pwm.c(l36:s18:k13:d0:s0) iTemp9 [k15 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} >> 0x2 {const-unsigned-char literal} Bibliotecas/pwm.c(l36:s19:k14:d0:s0) iTemp10 [k16 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char fixed} = (volatile-unsigned-char sfr)iTemp9 [k15 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Bibliotecas/pwm.c(l36:s20:k15:d0:s0) _CCPR1L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp10 [k16 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char fixed} Bibliotecas/pwm.c(l38:s21:k16:d0:s0) iTemp11 [k18 lr21:22 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} & 0x3 {unsigned-int literal} Bibliotecas/pwm.c(l38:s22:k17:d0:s0) iTemp12 [k19 lr22:23 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} = (unsigned-char fixed)iTemp11 [k18 lr21:22 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Bibliotecas/pwm.c(l38:s23:k18:d0:s0) iTemp13 [k20 lr23:24 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} = iTemp12 [k19 lr22:23 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} << 0x4 {const-unsigned-char literal} Bibliotecas/pwm.c(l38:s24:k19:d0:s0) iTemp14 [k21 lr24:25 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} = _CCP1CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | iTemp13 [k20 lr23:24 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Bibliotecas/pwm.c(l38:s25:k20:d0:s0) _CCP1CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp14 [k21 lr24:25 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} ---------------------------------------------------------------- Basic Block _return : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 2 : bbnum = 1 1st iCode = 26 , last iCode = 27 visited 1 : hasFcall = 0 defines bitVector :bitvector Size = 23 bSize = 3 Bits on { } local defines bitVector : pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } outDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } usesDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { } ---------------------------------------------------------------- Bibliotecas/pwm.c(l38:s26:k21:d0:s0) _return($1) : Bibliotecas/pwm.c(l38:s27:k22:d0:s0) eproc _SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} pic16_freeAllRegs pic16_packRegisters 3007 packRegsForAssign ic->op = = result:iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} left: right:iTemp6 [k11 lr10:11 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} 3015 - actuall processing 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp6 replacing with iTemp6 3199 result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} left: right:iTemp6 [k11 lr10:11 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} 3007 packRegsForAssign ic->op = = result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} left: right:iTemp7 [k12 lr14:15 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} 3015 - actuall processing 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp7 replacing with iTemp7 3199 result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} left: right:iTemp7 [k12 lr14:15 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} 3007 packRegsForAssign ic->op = = result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} left: right:iTemp8 [k13 lr16:17 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} 3015 - actuall processing 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp8 replacing with iTemp8 3199 result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} left: right:iTemp8 [k13 lr16:17 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} 3007 packRegsForAssign ic->op = = result:_CCPR1L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp10 [k16 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _CCPR1L 827 storage class 3 832 integral 838 specifier _CCPR1L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 894 -- added _CCPR1L to hash, size = 1 -- and it is at a fixed address 0xfbe 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp10 replacing with iTemp10 3199 result:_CCPR1L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp10 [k16 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char fixed} 3007 packRegsForAssign ic->op = = result:_CCP1CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp14 [k21 lr24:25 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _CCP1CON 827 storage class 3 832 integral 838 specifier _CCP1CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 894 -- added _CCP1CON to hash, size = 1 -- and it is at a fixed address 0xfbd 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp14 replacing with iTemp14 3199 result:_CCP1CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp14 [k21 lr24:25 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 4213 x left:_SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} c Symbol type: void function ( unsigned-char fixed) fixed 4213 x left:_SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} c Symbol type: void function ( unsigned-char fixed) fixed result:iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM1_porcento_1_5} Symbol type: unsigned-char fixed 4191 - pointer reg req = 0 4213 packForReceive result:iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM1_porcento_1_5} left:_SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} right: used on right hey we can remove this unnecessary assign right:iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM1_porcento_1_5} Symbol type: unsigned-char fixed result:iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 right:_PR2 [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} Symbol type: int fixed right:_PR2 [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 4213 x left:iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} c Symbol type: int fixed result:iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} Symbol type: int fixed 4191 - pointer reg req = 0 4213 right:iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} Symbol type: int fixed result:iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 x left:iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} c Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 x left:iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} c Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 x left:__mulint [k22 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int function ( int fixed, int fixed) fixed} c Symbol type: int function ( int fixed, int fixed) fixed result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 x left:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} c Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 4191 - pointer reg req = 0 4213 x left:__divuint [k23 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int function ( unsigned-int fixed, unsigned-int fixed) fixed} c Symbol type: unsigned-int function ( unsigned-int fixed, unsigned-int fixed) fixed result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 x left:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} c Symbol type: unsigned-int fixed result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 x left:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} c Symbol type: unsigned-int fixed result:iTemp9 [k15 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 right:iTemp9 [k15 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed result:_CCPR1L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_CCPR1L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 4213 x left:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6} c Symbol type: unsigned-int fixed result:iTemp11 [k18 lr21:22 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 right:iTemp11 [k18 lr21:22 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed result:iTemp12 [k19 lr22:23 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Symbol type: unsigned-char fixed 4191 - pointer reg req = 0 4213 x left:iTemp12 [k19 lr22:23 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} c Symbol type: unsigned-char fixed result:iTemp13 [k20 lr23:24 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Symbol type: unsigned-char fixed 4191 - pointer reg req = 0 4213 x left:_CCP1CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} is volatile sfr 3983 - left is not temp, allocating pic16_allocDirReg:815 symbol name _CCP1CON 827 storage class 3 832 integral 838 specifier _CCP1CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} c Symbol type: volatile-unsigned-char sfr right:iTemp13 [k20 lr23:24 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Symbol type: unsigned-char fixed result:_CCP1CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_CCP1CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 pic16_packRegisters 4213 x left:_SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} c Symbol type: void function ( unsigned-char fixed) fixed 4213 regTypeNum 2754 - iTemp0 2765 - itemp register reg name iTemp0, reg type REG_GPR 2754 - iTemp1 2765 - itemp register reg name iTemp1, reg type REG_GPR 2754 - iTemp2 2765 - itemp register reg name iTemp2, reg type REG_GPR 2754 - iTemp3 2765 - itemp register reg name iTemp3, reg type REG_GPR 2754 - iTemp4 2765 - itemp register reg name iTemp4, reg type REG_GPR 2754 - iTemp5 2765 - itemp register reg name iTemp5, reg type REG_GPR 2754 - iTemp9 2765 - itemp register reg name iTemp9, reg type REG_GPR 2754 - iTemp11 2765 - itemp register reg name iTemp11, reg type REG_GPR 2754 - iTemp12 2765 - itemp register reg name iTemp12, reg type REG_GPR 2754 - iTemp13 2765 - itemp register reg name iTemp13, reg type REG_GPR serialRegAssign op: LABEL deassignLRs op: FUNCTION deassignLRs op: RECEIVE deassignLRs willCauseSpill computeSpillable When I get clever, I'll optimize the receive logic bitvector Size = 23 bSize = 3 Bits on { (2) } getRegGpr allocReg of type REG_GPR for register rIdx: 0 (0x0) 2457 - 2471 - op: CAST pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType getRegGpr allocReg of type REG_GPR for register rIdx: 1 (0x1) op: CAST pic16_allocDirReg BAD, op is NULL pic16_allocDirReg:815 symbol name _PR2 827 storage class 3 832 integral 838 specifier _PR2 [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 894 -- added _PR2 to hash, size = 1 -- and it is at a fixed address 0xfcb deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (6) (8) } getRegGpr allocReg of type REG_GPR for register rIdx: 2 (0x2) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - 2471 - op: + pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType op: CAST pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType op: SEND deassignLRs op: SEND deassignLRs freeReg freeReg freeReg freeReg op: CALL pic16_allocDirReg:815 symbol name __mulint 827 storage class 0 832 integral 838 specifier __mulint [k22 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int function ( int fixed, int fixed) fixed} pic16_allocDirReg:861 sym: _mulint in codespace deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (4) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - 2471 - op: SEND deassignLRs op: SEND pic16_allocDirReg BAD, op is NULL deassignLRs op: CALL pic16_allocDirReg:815 symbol name __divuint 827 storage class 0 832 integral 838 specifier __divuint [k23 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int function ( unsigned-int fixed, unsigned-int fixed) fixed} pic16_allocDirReg:861 sym: _divuint in codespace deassignLRs op: BITWISEAND pic16_allocDirReg BAD, op is NULL deassignLRs op: RIGHT_OP pic16_allocDirReg BAD, op is NULL deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (4) (15) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - positionRegs 2471 - op: CAST pic16_allocDirReg:815 symbol name _CCPR1L 827 storage class 3 832 integral 838 specifier _CCPR1L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg BAD, op is NULL deassignLRs freeReg freeReg op: BITWISEAND pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType op: CAST pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType freeReg op: LEFT_OP pic16_allocDirReg BAD, op is NULL deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (19) (20) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - positionRegs 2471 - op: | pic16_allocDirReg:815 symbol name _CCP1CON 827 storage class 3 832 integral 838 specifier _CCP1CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg:815 symbol name _CCP1CON 827 storage class 3 832 integral 838 specifier _CCP1CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} deassignLRs freeReg freeReg op: LABEL deassignLRs op: ENDFUNCTION deassignLRs createRegMask regsUsedIniCode rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp regsUsedIniCode rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp regsUsedIniCode rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp ebbs after optimizing: ---------------------------------------------------------------- Basic Block _entry : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 1 : bbnum = 0 1st iCode = 1 , last iCode = 20 visited 0 : hasFcall = 1 defines bitVector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } local defines bitVector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (8) (9) (10) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector : outDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } usesDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (8) (9) (10) (11) (12) (13) (14) (16) (17) (18) (19) } ---------------------------------------------------------------- Bibliotecas/pwm.c(l24:s1:k0:d0:s0) _entry($2) : Bibliotecas/pwm.c(l24:s2:k1:d0:s0) proc _SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} Bibliotecas/pwm.c(l24:s3:k2:d0:s0) iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM1_porcento_1_5}[r0x00 ] = recv _SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} Bibliotecas/pwm.c(l31:s4:k3:d0:s0) iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x00 r0x01 ] = (unsigned-int fixed)iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM1_porcento_1_5}[r0x00 ] Bibliotecas/pwm.c(l31:s5:k4:d0:s0) iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed}[r0x02 r0x03 ] = (int fixed)_PR2 [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Bibliotecas/pwm.c(l31:s6:k5:d0:s0) iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed}[r0x02 r0x03 ] = iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed}[r0x02 r0x03 ] + 0x1 {int literal} Bibliotecas/pwm.c(l31:s7:k6:d0:s0) iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x02 r0x03 ] = (unsigned-int fixed)iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed}[r0x02 r0x03 ] Bibliotecas/pwm.c(l31:s8:k23:d0:s0) send iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x00 r0x01 ]{argreg = 1} Bibliotecas/pwm.c(l31:s9:k24:d0:s0) send iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x02 r0x03 ]{argreg = 2} Bibliotecas/pwm.c(l31:s10:k25:d0:s0) iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6}[r0x00 r0x01 ] = call __mulint [k22 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int function ( int fixed, int fixed) fixed} Bibliotecas/pwm.c(l32:s11:k26:d0:s0) send iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6}[r0x00 r0x01 ]{argreg = 1} Bibliotecas/pwm.c(l32:s12:k27:d0:s0) send 0x19 {unsigned-int literal}{argreg = 2} Bibliotecas/pwm.c(l32:s13:k28:d0:s0) iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6}[r0x00 r0x01 ] = call __divuint [k23 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int function ( unsigned-int fixed, unsigned-int fixed) fixed} Bibliotecas/pwm.c(l34:s14:k11:d0:s0) iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6}[r0x00 r0x01 ] = iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6}[r0x00 r0x01 ] & 0x3ff {unsigned-int literal} Bibliotecas/pwm.c(l36:s15:k13:d0:s0) iTemp9 [k15 lr15:16 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x02 r0x03 ] = iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6}[r0x00 r0x01 ] >> 0x2 {const-unsigned-char literal} Bibliotecas/pwm.c(l36:s16:k14:d0:s0) _CCPR1L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = (volatile-unsigned-char sfr)iTemp9 [k15 lr15:16 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x02 r0x03 ] Bibliotecas/pwm.c(l38:s17:k16:d0:s0) iTemp11 [k18 lr17:18 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x00 r0x01 ] = iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM1_val_1_6}[r0x00 r0x01 ] & 0x3 {unsigned-int literal} Bibliotecas/pwm.c(l38:s18:k17:d0:s0) iTemp12 [k19 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed}[r0x00 ] = (unsigned-char fixed)iTemp11 [k18 lr17:18 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x00 r0x01 ] Bibliotecas/pwm.c(l38:s19:k18:d0:s0) iTemp13 [k20 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed}[r0x01 ] = iTemp12 [k19 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed}[r0x00 ] << 0x4 {const-unsigned-char literal} Bibliotecas/pwm.c(l38:s20:k19:d0:s0) _CCP1CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = _CCP1CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | iTemp13 [k20 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed}[r0x01 ] Bibliotecas/pwm.c(l38:s21:k21:d0:s0) _return($1) : Bibliotecas/pwm.c(l38:s22:k22:d0:s0) eproc _SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} ---------------------------------------------------------------- Basic Block _return : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 2 : bbnum = 1 1st iCode = 21 , last iCode = 22 visited 1 : hasFcall = 0 defines bitVector :bitvector Size = 23 bSize = 3 Bits on { } local defines bitVector : pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } outDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } usesDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { } ---------------------------------------------------------------- Bibliotecas/pwm.c(l38:s21:k21:d0:s0) _return($1) : Bibliotecas/pwm.c(l38:s22:k22:d0:s0) eproc _SetaPWM1 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocDirReg BAD, op is NULL pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocDirReg BAD, op is NULL pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocDirReg:815 symbol name _CCP1CON 827 storage class 3 832 integral 838 specifier _CCP1CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_freeAllRegs leaving <><><><><><><><><><><><><><><><><> <><><><><><><><><><><><><><><><><> starting /home/sdcc-builder/build/sdcc-build/orig/sdcc/src/pic16/ralloc.c:pic16_assignRegisters ebbs before optimizing: ---------------------------------------------------------------- Basic Block _entry : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 1 : bbnum = 0 1st iCode = 1 , last iCode = 25 visited 0 : hasFcall = 1 defines bitVector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } local defines bitVector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (8) (9) (10) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector : outDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } usesDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (8) (9) (10) (11) (12) (13) (14) (16) (17) (18) (19) } ---------------------------------------------------------------- Bibliotecas/pwm.c(l41:s1:k0:d0:s0) _entry($2) : Bibliotecas/pwm.c(l41:s2:k1:d0:s0) proc _SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} Bibliotecas/pwm.c(l41:s3:k2:d0:s0) iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM2_porcento_1_7} = recv _SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} Bibliotecas/pwm.c(l43:s4:k3:d0:s0) iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = (unsigned-int fixed)iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM2_porcento_1_7} Bibliotecas/pwm.c(l43:s5:k4:d0:s0) iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} = (int fixed)_PR2 [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Bibliotecas/pwm.c(l43:s6:k5:d0:s0) iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} = iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} + 0x1 {int literal} Bibliotecas/pwm.c(l43:s7:k6:d0:s0) iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = (unsigned-int fixed)iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} Bibliotecas/pwm.c(l43:s8:k23:d0:s0) send iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{argreg = 1} Bibliotecas/pwm.c(l43:s9:k24:d0:s0) send iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{argreg = 2} Bibliotecas/pwm.c(l43:s10:k25:d0:s0) iTemp6 [k11 lr10:11 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} = call __mulint [k22 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int function ( int fixed, int fixed) fixed} Bibliotecas/pwm.c(l43:s11:k8:d0:s0) iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} := iTemp6 [k11 lr10:11 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} Bibliotecas/pwm.c(l44:s12:k26:d0:s0) send iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8}{argreg = 1} Bibliotecas/pwm.c(l44:s13:k27:d0:s0) send 0x19 {unsigned-int literal}{argreg = 2} Bibliotecas/pwm.c(l44:s14:k28:d0:s0) iTemp7 [k12 lr14:15 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = call __divuint [k23 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int function ( unsigned-int fixed, unsigned-int fixed) fixed} Bibliotecas/pwm.c(l44:s15:k10:d0:s0) iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} := iTemp7 [k12 lr14:15 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Bibliotecas/pwm.c(l46:s16:k11:d0:s0) iTemp8 [k13 lr16:17 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} & 0x3ff {unsigned-int literal} Bibliotecas/pwm.c(l46:s17:k12:d0:s0) iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} := iTemp8 [k13 lr16:17 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Bibliotecas/pwm.c(l48:s18:k13:d0:s0) iTemp9 [k15 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} >> 0x2 {const-unsigned-char literal} Bibliotecas/pwm.c(l48:s19:k14:d0:s0) iTemp10 [k16 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char fixed} = (volatile-unsigned-char sfr)iTemp9 [k15 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Bibliotecas/pwm.c(l48:s20:k15:d0:s0) _CCPR2L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp10 [k16 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char fixed} Bibliotecas/pwm.c(l50:s21:k16:d0:s0) iTemp11 [k18 lr21:22 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} = iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} & 0x3 {unsigned-int literal} Bibliotecas/pwm.c(l50:s22:k17:d0:s0) iTemp12 [k19 lr22:23 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} = (unsigned-char fixed)iTemp11 [k18 lr21:22 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Bibliotecas/pwm.c(l50:s23:k18:d0:s0) iTemp13 [k20 lr23:24 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} = iTemp12 [k19 lr22:23 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} << 0x4 {const-unsigned-char literal} Bibliotecas/pwm.c(l50:s24:k19:d0:s0) iTemp14 [k21 lr24:25 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} = _CCP2CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | iTemp13 [k20 lr23:24 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Bibliotecas/pwm.c(l50:s25:k20:d0:s0) _CCP2CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp14 [k21 lr24:25 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} ---------------------------------------------------------------- Basic Block _return : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 2 : bbnum = 1 1st iCode = 26 , last iCode = 27 visited 1 : hasFcall = 0 defines bitVector :bitvector Size = 23 bSize = 3 Bits on { } local defines bitVector : pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } outDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } usesDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { } ---------------------------------------------------------------- Bibliotecas/pwm.c(l50:s26:k21:d0:s0) _return($1) : Bibliotecas/pwm.c(l50:s27:k22:d0:s0) eproc _SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} pic16_freeAllRegs pic16_packRegisters 3007 packRegsForAssign ic->op = = result:iTemp1 [k4 lr11:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} left: right:iTemp6 [k11 lr10:11 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} 3015 - actuall processing 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp6 replacing with iTemp6 3199 result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} left: right:iTemp6 [k11 lr10:11 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} 3007 packRegsForAssign ic->op = = result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} left: right:iTemp7 [k12 lr14:15 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} 3015 - actuall processing 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp7 replacing with iTemp7 3199 result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} left: right:iTemp7 [k12 lr14:15 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} 3007 packRegsForAssign ic->op = = result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} left: right:iTemp8 [k13 lr16:17 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} 3015 - actuall processing 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp8 replacing with iTemp8 3199 result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} left: right:iTemp8 [k13 lr16:17 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} 3007 packRegsForAssign ic->op = = result:_CCPR2L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp10 [k16 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _CCPR2L 827 storage class 3 832 integral 838 specifier _CCPR2L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 894 -- added _CCPR2L to hash, size = 1 -- and it is at a fixed address 0xfbb 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp10 replacing with iTemp10 3199 result:_CCPR2L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp10 [k16 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char fixed} 3007 packRegsForAssign ic->op = = result:_CCP2CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp14 [k21 lr24:25 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _CCP2CON 827 storage class 3 832 integral 838 specifier _CCP2CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 894 -- added _CCP2CON to hash, size = 1 -- and it is at a fixed address 0xfba 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp14 replacing with iTemp14 3199 result:_CCP2CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp14 [k21 lr24:25 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 4213 x left:_SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} c Symbol type: void function ( unsigned-char fixed) fixed 4213 x left:_SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} c Symbol type: void function ( unsigned-char fixed) fixed result:iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM2_porcento_1_7} Symbol type: unsigned-char fixed 4191 - pointer reg req = 0 4213 packForReceive result:iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM2_porcento_1_7} left:_SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} right: used on right hey we can remove this unnecessary assign right:iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM2_porcento_1_7} Symbol type: unsigned-char fixed result:iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 right:_PR2 [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} Symbol type: int fixed right:_PR2 [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 4213 x left:iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} c Symbol type: int fixed result:iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} Symbol type: int fixed 4191 - pointer reg req = 0 4213 right:iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed} Symbol type: int fixed result:iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 x left:iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} c Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 x left:iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} c Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 x left:__mulint [k22 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int function ( int fixed, int fixed) fixed} c Symbol type: int function ( int fixed, int fixed) fixed result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 x left:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} c Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 4191 - pointer reg req = 0 4213 x left:__divuint [k23 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int function ( unsigned-int fixed, unsigned-int fixed) fixed} c Symbol type: unsigned-int function ( unsigned-int fixed, unsigned-int fixed) fixed result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 x left:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} c Symbol type: unsigned-int fixed result:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 x left:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} c Symbol type: unsigned-int fixed result:iTemp9 [k15 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 right:iTemp9 [k15 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed result:_CCPR2L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_CCPR2L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 4213 x left:iTemp1 [k4 lr10:21 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8} c Symbol type: unsigned-int fixed result:iTemp11 [k18 lr21:22 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 right:iTemp11 [k18 lr21:22 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed} Symbol type: unsigned-int fixed result:iTemp12 [k19 lr22:23 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Symbol type: unsigned-char fixed 4191 - pointer reg req = 0 4213 x left:iTemp12 [k19 lr22:23 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} c Symbol type: unsigned-char fixed result:iTemp13 [k20 lr23:24 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Symbol type: unsigned-char fixed 4191 - pointer reg req = 0 4213 x left:_CCP2CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} is volatile sfr 3983 - left is not temp, allocating pic16_allocDirReg:815 symbol name _CCP2CON 827 storage class 3 832 integral 838 specifier _CCP2CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} c Symbol type: volatile-unsigned-char sfr right:iTemp13 [k20 lr23:24 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Symbol type: unsigned-char fixed result:_CCP2CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_CCP2CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 pic16_packRegisters 4213 x left:_SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} c Symbol type: void function ( unsigned-char fixed) fixed 4213 regTypeNum 2754 - iTemp0 2765 - itemp register reg name iTemp0, reg type REG_GPR 2754 - iTemp1 2765 - itemp register reg name iTemp1, reg type REG_GPR 2754 - iTemp2 2765 - itemp register reg name iTemp2, reg type REG_GPR 2754 - iTemp3 2765 - itemp register reg name iTemp3, reg type REG_GPR 2754 - iTemp4 2765 - itemp register reg name iTemp4, reg type REG_GPR 2754 - iTemp5 2765 - itemp register reg name iTemp5, reg type REG_GPR 2754 - iTemp9 2765 - itemp register reg name iTemp9, reg type REG_GPR 2754 - iTemp11 2765 - itemp register reg name iTemp11, reg type REG_GPR 2754 - iTemp12 2765 - itemp register reg name iTemp12, reg type REG_GPR 2754 - iTemp13 2765 - itemp register reg name iTemp13, reg type REG_GPR serialRegAssign op: LABEL deassignLRs op: FUNCTION deassignLRs op: RECEIVE deassignLRs willCauseSpill computeSpillable When I get clever, I'll optimize the receive logic bitvector Size = 23 bSize = 3 Bits on { (2) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - 2471 - op: CAST pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) op: CAST pic16_allocDirReg BAD, op is NULL pic16_allocDirReg:815 symbol name _PR2 827 storage class 3 832 integral 838 specifier _PR2 [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (6) (8) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - 2471 - op: + pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType op: CAST pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType op: SEND deassignLRs op: SEND deassignLRs freeReg freeReg freeReg freeReg op: CALL pic16_allocDirReg:815 symbol name __mulint 827 storage class 0 832 integral 838 specifier __mulint [k22 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int function ( int fixed, int fixed) fixed} pic16_allocDirReg:861 sym: _mulint in codespace deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (4) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - 2471 - op: SEND deassignLRs op: SEND pic16_allocDirReg BAD, op is NULL deassignLRs op: CALL pic16_allocDirReg:815 symbol name __divuint 827 storage class 0 832 integral 838 specifier __divuint [k23 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int function ( unsigned-int fixed, unsigned-int fixed) fixed} pic16_allocDirReg:861 sym: _divuint in codespace deassignLRs op: BITWISEAND pic16_allocDirReg BAD, op is NULL deassignLRs op: RIGHT_OP pic16_allocDirReg BAD, op is NULL deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (4) (15) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - positionRegs 2471 - op: CAST pic16_allocDirReg:815 symbol name _CCPR2L 827 storage class 3 832 integral 838 specifier _CCPR2L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg BAD, op is NULL deassignLRs freeReg freeReg op: BITWISEAND pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType op: CAST pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType freeReg op: LEFT_OP pic16_allocDirReg BAD, op is NULL deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (19) (20) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - positionRegs 2471 - op: | pic16_allocDirReg:815 symbol name _CCP2CON 827 storage class 3 832 integral 838 specifier _CCP2CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg:815 symbol name _CCP2CON 827 storage class 3 832 integral 838 specifier _CCP2CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} deassignLRs freeReg freeReg op: LABEL deassignLRs op: ENDFUNCTION deassignLRs createRegMask regsUsedIniCode rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp regsUsedIniCode rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp regsUsedIniCode rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp ebbs after optimizing: ---------------------------------------------------------------- Basic Block _entry : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 1 : bbnum = 0 1st iCode = 1 , last iCode = 20 visited 0 : hasFcall = 1 defines bitVector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } local defines bitVector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (8) (9) (10) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector : outDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } usesDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (8) (9) (10) (11) (12) (13) (14) (16) (17) (18) (19) } ---------------------------------------------------------------- Bibliotecas/pwm.c(l41:s1:k0:d0:s0) _entry($2) : Bibliotecas/pwm.c(l41:s2:k1:d0:s0) proc _SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} Bibliotecas/pwm.c(l41:s3:k2:d0:s0) iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM2_porcento_1_7}[r0x00 ] = recv _SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} Bibliotecas/pwm.c(l43:s4:k3:d0:s0) iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x00 r0x01 ] = (unsigned-int fixed)iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-char fixed}{ sir@ _SetaPWM2_porcento_1_7}[r0x00 ] Bibliotecas/pwm.c(l43:s5:k4:d0:s0) iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed}[r0x02 r0x03 ] = (int fixed)_PR2 [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Bibliotecas/pwm.c(l43:s6:k5:d0:s0) iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed}[r0x02 r0x03 ] = iTemp3 [k8 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed}[r0x02 r0x03 ] + 0x1 {int literal} Bibliotecas/pwm.c(l43:s7:k6:d0:s0) iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x02 r0x03 ] = (unsigned-int fixed)iTemp4 [k9 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int fixed}[r0x02 r0x03 ] Bibliotecas/pwm.c(l43:s8:k23:d0:s0) send iTemp2 [k6 lr4:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x00 r0x01 ]{argreg = 1} Bibliotecas/pwm.c(l43:s9:k24:d0:s0) send iTemp5 [k10 lr7:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x02 r0x03 ]{argreg = 2} Bibliotecas/pwm.c(l43:s10:k25:d0:s0) iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8}[r0x00 r0x01 ] = call __mulint [k22 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{int function ( int fixed, int fixed) fixed} Bibliotecas/pwm.c(l44:s11:k26:d0:s0) send iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8}[r0x00 r0x01 ]{argreg = 1} Bibliotecas/pwm.c(l44:s12:k27:d0:s0) send 0x19 {unsigned-int literal}{argreg = 2} Bibliotecas/pwm.c(l44:s13:k28:d0:s0) iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8}[r0x00 r0x01 ] = call __divuint [k23 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int function ( unsigned-int fixed, unsigned-int fixed) fixed} Bibliotecas/pwm.c(l46:s14:k11:d0:s0) iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8}[r0x00 r0x01 ] = iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8}[r0x00 r0x01 ] & 0x3ff {unsigned-int literal} Bibliotecas/pwm.c(l48:s15:k13:d0:s0) iTemp9 [k15 lr15:16 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x02 r0x03 ] = iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8}[r0x00 r0x01 ] >> 0x2 {const-unsigned-char literal} Bibliotecas/pwm.c(l48:s16:k14:d0:s0) _CCPR2L [k14 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = (volatile-unsigned-char sfr)iTemp9 [k15 lr15:16 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x02 r0x03 ] Bibliotecas/pwm.c(l50:s17:k16:d0:s0) iTemp11 [k18 lr17:18 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x00 r0x01 ] = iTemp1 [k4 lr10:17 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaPWM2_val_1_8}[r0x00 r0x01 ] & 0x3 {unsigned-int literal} Bibliotecas/pwm.c(l50:s18:k17:d0:s0) iTemp12 [k19 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed}[r0x00 ] = (unsigned-char fixed)iTemp11 [k18 lr17:18 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-int fixed}[r0x00 r0x01 ] Bibliotecas/pwm.c(l50:s19:k18:d0:s0) iTemp13 [k20 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed}[r0x01 ] = iTemp12 [k19 lr18:19 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed}[r0x00 ] << 0x4 {const-unsigned-char literal} Bibliotecas/pwm.c(l50:s20:k19:d0:s0) _CCP2CON [k17 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = _CCP2CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | iTemp13 [k20 lr19:20 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed}[r0x01 ] Bibliotecas/pwm.c(l50:s21:k21:d0:s0) _return($1) : Bibliotecas/pwm.c(l50:s22:k22:d0:s0) eproc _SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} ---------------------------------------------------------------- Basic Block _return : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 2 : bbnum = 1 1st iCode = 21 , last iCode = 22 visited 1 : hasFcall = 0 defines bitVector :bitvector Size = 23 bSize = 3 Bits on { } local defines bitVector : pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } outDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (9) (11) (12) (13) (14) (15) (16) (17) (18) (19) (20) } usesDefs Set bitvector :bitvector Size = 23 bSize = 3 Bits on { } ---------------------------------------------------------------- Bibliotecas/pwm.c(l50:s21:k21:d0:s0) _return($1) : Bibliotecas/pwm.c(l50:s22:k22:d0:s0) eproc _SetaPWM2 [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-char fixed) fixed} pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocDirReg BAD, op is NULL pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocDirReg BAD, op is NULL pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocDirReg:815 symbol name _CCP2CON 827 storage class 3 832 integral 838 specifier _CCP2CON [k17 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_freeAllRegs leaving <><><><><><><><><><><><><><><><><> <><><><><><><><><><><><><><><><><> starting /home/sdcc-builder/build/sdcc-build/orig/sdcc/src/pic16/ralloc.c:pic16_assignRegisters ebbs before optimizing: ---------------------------------------------------------------- Basic Block _entry : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 1 : bbnum = 0 1st iCode = 1 , last iCode = 10 visited 0 : hasFcall = 1 defines bitVector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) (7) } local defines bitVector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) (7) } pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector : outDefs Set bitvector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) (7) } usesDefs Set bitvector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) } ---------------------------------------------------------------- Bibliotecas/pwm.c(l53:s1:k0:d0:s0) _entry($2) : Bibliotecas/pwm.c(l53:s2:k1:d0:s0) proc _SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} Bibliotecas/pwm.c(l53:s3:k2:d0:s0) iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaFreqPWM_freq_1_9} = recv _SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} Bibliotecas/pwm.c(l57:s4:k3:d0:s0) iTemp1 [k5 lr4:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed} = (long-int register)iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaFreqPWM_freq_1_9} Bibliotecas/pwm.c(l57:s5:k10:d0:s0) send 0x1e848 {const-long-int literal}{argreg = 1} Bibliotecas/pwm.c(l57:s6:k11:d0:s0) send iTemp1 [k5 lr4:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed}{argreg = 2} Bibliotecas/pwm.c(l57:s7:k12:d0:s0) iTemp2 [k6 lr7:8 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed} = call __divslong [k9 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int function ( long-int fixed, long-int fixed) fixed} Bibliotecas/pwm.c(l57:s8:k5:d0:s0) iTemp3 [k7 lr8:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} = (char fixed)iTemp2 [k6 lr7:8 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed} Bibliotecas/pwm.c(l57:s9:k6:d0:s0) iTemp4 [k8 lr9:10 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} = iTemp3 [k7 lr8:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} - 0x1 {char literal} Bibliotecas/pwm.c(l57:s10:k7:d0:s0) _PR2 [k4 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp4 [k8 lr9:10 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} ---------------------------------------------------------------- Basic Block _return : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 2 : bbnum = 1 1st iCode = 11 , last iCode = 12 visited 1 : hasFcall = 0 defines bitVector :bitvector Size = 10 bSize = 2 Bits on { } local defines bitVector : pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) (7) } outDefs Set bitvector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) (7) } usesDefs Set bitvector :bitvector Size = 10 bSize = 2 Bits on { } ---------------------------------------------------------------- Bibliotecas/pwm.c(l57:s11:k8:d0:s0) _return($1) : Bibliotecas/pwm.c(l57:s12:k9:d0:s0) eproc _SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} pic16_freeAllRegs pic16_packRegisters 3007 packRegsForAssign ic->op = = result:_PR2 [k4 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp4 [k8 lr9:10 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _PR2 827 storage class 3 832 integral 838 specifier _PR2 [k4 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp4 replacing with iTemp4 3199 result:_PR2 [k4 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp4 [k8 lr9:10 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} 4213 x left:_SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} c Symbol type: void function ( unsigned-int fixed) fixed 4213 x left:_SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} c Symbol type: void function ( unsigned-int fixed) fixed result:iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaFreqPWM_freq_1_9} Symbol type: unsigned-int fixed 4191 - pointer reg req = 0 4213 packForReceive result:iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaFreqPWM_freq_1_9} left:_SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} right: used on right hey we can remove this unnecessary assign right:iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaFreqPWM_freq_1_9} Symbol type: unsigned-int fixed result:iTemp1 [k5 lr4:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed} Symbol type: long-int fixed 4191 - pointer reg req = 0 4213 4191 - pointer reg req = 0 4213 x left:iTemp1 [k5 lr4:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed} c Symbol type: long-int fixed 4191 - pointer reg req = 0 4213 x left:__divslong [k9 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int function ( long-int fixed, long-int fixed) fixed} c Symbol type: long-int function ( long-int fixed, long-int fixed) fixed result:iTemp2 [k6 lr7:8 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed} Symbol type: long-int fixed 4191 - pointer reg req = 0 4213 right:iTemp2 [k6 lr7:8 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed} Symbol type: long-int fixed result:iTemp3 [k7 lr8:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} Symbol type: char fixed 4191 - pointer reg req = 0 4213 x left:iTemp3 [k7 lr8:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} c Symbol type: char fixed result:_PR2 [k4 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_PR2 [k4 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 4213 pic16_packRegisters 4213 x left:_SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} c Symbol type: void function ( unsigned-int fixed) fixed 4213 regTypeNum 2754 - iTemp0 2765 - itemp register reg name iTemp0, reg type REG_GPR 2754 - iTemp1 2765 - itemp register reg name iTemp1, reg type REG_GPR 2754 - iTemp2 2765 - itemp register reg name iTemp2, reg type REG_GPR 2754 - iTemp3 2765 - itemp register reg name iTemp3, reg type REG_GPR serialRegAssign op: LABEL deassignLRs op: FUNCTION deassignLRs op: RECEIVE deassignLRs willCauseSpill computeSpillable When I get clever, I'll optimize the receive logic bitvector Size = 23 bSize = 3 Bits on { (2) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - 2471 - op: CAST pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) op: SEND pic16_allocDirReg BAD, op is NULL deassignLRs op: SEND deassignLRs freeReg freeReg freeReg freeReg op: CALL pic16_allocDirReg:815 symbol name __divslong 827 storage class 0 832 integral 838 specifier __divslong [k9 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int function ( long-int fixed, long-int fixed) fixed} pic16_allocDirReg:861 sym: _divslong in codespace deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (6) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - 2471 - op: CAST pic16_allocDirReg BAD, op is NULL deassignLRs nfreeRegsType freeReg freeReg freeReg op: - pic16_allocDirReg:815 symbol name _PR2 827 storage class 3 832 integral 838 specifier _PR2 [k4 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg BAD, op is NULL deassignLRs freeReg op: LABEL deassignLRs op: ENDFUNCTION deassignLRs createRegMask regsUsedIniCode rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp regsUsedIniCode rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp ebbs after optimizing: ---------------------------------------------------------------- Basic Block _entry : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 1 : bbnum = 0 1st iCode = 1 , last iCode = 9 visited 0 : hasFcall = 1 defines bitVector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) (7) } local defines bitVector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) (7) } pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector : outDefs Set bitvector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) (7) } usesDefs Set bitvector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) } ---------------------------------------------------------------- Bibliotecas/pwm.c(l53:s1:k0:d0:s0) _entry($2) : Bibliotecas/pwm.c(l53:s2:k1:d0:s0) proc _SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} Bibliotecas/pwm.c(l53:s3:k2:d0:s0) iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaFreqPWM_freq_1_9}[r0x00 r0x01 ] = recv _SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} Bibliotecas/pwm.c(l57:s4:k3:d0:s0) iTemp1 [k5 lr4:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed}[r0x00 r0x01 r0x02 r0x03 ] = (long-int register)iTemp0 [k2 lr3:4 so:0]{ ia0 a2p0 re1 rm0 nos0 ru0 dp0}{unsigned-int fixed}{ sir@ _SetaFreqPWM_freq_1_9}[r0x00 r0x01 ] Bibliotecas/pwm.c(l57:s5:k10:d0:s0) send 0x1e848 {const-long-int literal}{argreg = 1} Bibliotecas/pwm.c(l57:s6:k11:d0:s0) send iTemp1 [k5 lr4:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed}[r0x00 r0x01 r0x02 r0x03 ]{argreg = 2} Bibliotecas/pwm.c(l57:s7:k12:d0:s0) iTemp2 [k6 lr7:8 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed}[r0x00 r0x01 r0x02 r0x03 ] = call __divslong [k9 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int function ( long-int fixed, long-int fixed) fixed} Bibliotecas/pwm.c(l57:s8:k5:d0:s0) iTemp3 [k7 lr8:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed}[r0x00 ] = (char fixed)iTemp2 [k6 lr7:8 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{long-int fixed}[r0x00 r0x01 r0x02 r0x03 ] Bibliotecas/pwm.c(l57:s9:k6:d0:s0) _PR2 [k4 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = iTemp3 [k7 lr8:9 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed}[r0x00 ] - 0x1 {char literal} Bibliotecas/pwm.c(l57:s10:k8:d0:s0) _return($1) : Bibliotecas/pwm.c(l57:s11:k9:d0:s0) eproc _SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} ---------------------------------------------------------------- Basic Block _return : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 2 : bbnum = 1 1st iCode = 10 , last iCode = 11 visited 1 : hasFcall = 0 defines bitVector :bitvector Size = 10 bSize = 2 Bits on { } local defines bitVector : pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) (7) } outDefs Set bitvector :bitvector Size = 10 bSize = 2 Bits on { (2) (3) (4) (5) (6) (7) } usesDefs Set bitvector :bitvector Size = 10 bSize = 2 Bits on { } ---------------------------------------------------------------- Bibliotecas/pwm.c(l57:s10:k8:d0:s0) _return($1) : Bibliotecas/pwm.c(l57:s11:k9:d0:s0) eproc _SetaFreqPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( unsigned-int fixed) fixed} pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x1 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x2 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x3 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_freeAllRegs leaving <><><><><><><><><><><><><><><><><> <><><><><><><><><><><><><><><><><> starting /home/sdcc-builder/build/sdcc-build/orig/sdcc/src/pic16/ralloc.c:pic16_assignRegisters ebbs before optimizing: ---------------------------------------------------------------- Basic Block _entry : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 1 : bbnum = 0 1st iCode = 1 , last iCode = 16 visited 0 : hasFcall = 0 defines bitVector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (5) (6) (7) (8) (10) (11) (12) (13) (14) (15) } local defines bitVector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (8) (9) (10) (11) (12) (13) (14) (15) } pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector : outDefs Set bitvector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (5) (6) (7) (8) (10) (11) (12) (13) (14) (15) } usesDefs Set bitvector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (4) (5) (6) (8) (9) (10) (12) (14) } ---------------------------------------------------------------- Bibliotecas/pwm.c(l60:s1:k0:d0:s0) _entry($2) : Bibliotecas/pwm.c(l60:s2:k1:d0:s0) proc _InicializaPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( ) fixed} Bibliotecas/pwm.c(l62:s3:k2:d0:s0) iTemp0 [k3 lr3:4 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} = (char register)_TRISC [k2 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Bibliotecas/pwm.c(l62:s4:k3:d0:s0) iTemp1 [k4 lr4:5 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} = iTemp0 [k3 lr3:4 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} & 0xfffffffd {char literal} Bibliotecas/pwm.c(l62:s5:k4:d0:s0) _TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp1 [k4 lr4:5 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} Bibliotecas/pwm.c(l63:s6:k5:d0:s0) iTemp2 [k5 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} = (char register)_TRISC [k2 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Bibliotecas/pwm.c(l63:s7:k6:d0:s0) iTemp3 [k6 lr7:8 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} = iTemp2 [k5 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} & 0xfffffffb {char literal} Bibliotecas/pwm.c(l63:s8:k7:d0:s0) _TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp3 [k6 lr7:8 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} Bibliotecas/pwm.c(l65:s9:k8:d0:s0) iTemp4 [k8 lr9:10 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} = _T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | 0x3 {const-unsigned-char literal} Bibliotecas/pwm.c(l65:s10:k9:d0:s0) _T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp4 [k8 lr9:10 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Bibliotecas/pwm.c(l66:s11:k10:d0:s0) iTemp5 [k9 lr11:12 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} = _T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | 0x4 {unsigned-char literal} Bibliotecas/pwm.c(l66:s12:k11:d0:s0) _T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp5 [k9 lr11:12 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Bibliotecas/pwm.c(l69:s13:k12:d0:s0) iTemp6 [k11 lr13:14 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} = _CCP1CON [k10 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | 0xc {const-unsigned-char literal} Bibliotecas/pwm.c(l69:s14:k13:d0:s0) _CCP1CON [k10 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp6 [k11 lr13:14 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} Bibliotecas/pwm.c(l70:s15:k14:d0:s0) iTemp7 [k13 lr15:16 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} = _CCP2CON [k12 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | 0xc {const-unsigned-char literal} Bibliotecas/pwm.c(l70:s16:k15:d0:s0) _CCP2CON [k12 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} := iTemp7 [k13 lr15:16 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} ---------------------------------------------------------------- Basic Block _return : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 2 : bbnum = 1 1st iCode = 17 , last iCode = 18 visited 1 : hasFcall = 0 defines bitVector :bitvector Size = 18 bSize = 3 Bits on { } local defines bitVector : pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (5) (6) (7) (8) (10) (11) (12) (13) (14) (15) } outDefs Set bitvector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (5) (6) (7) (8) (10) (11) (12) (13) (14) (15) } usesDefs Set bitvector :bitvector Size = 18 bSize = 3 Bits on { } ---------------------------------------------------------------- Bibliotecas/pwm.c(l70:s17:k16:d0:s0) _return($1) : Bibliotecas/pwm.c(l70:s18:k17:d0:s0) eproc _InicializaPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( ) fixed} pic16_freeAllRegs pic16_packRegisters 3007 packRegsForAssign ic->op = = result:_TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp1 [k4 lr4:5 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _TRISC 827 storage class 3 832 integral 838 specifier _TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 894 -- added _TRISC to hash, size = 1 -- and it is at a fixed address 0xf94 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp1 replacing with iTemp1 3199 result:_TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp1 [k4 lr4:5 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} 3007 packRegsForAssign ic->op = = result:_TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp3 [k6 lr7:8 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _TRISC 827 storage class 3 832 integral 838 specifier _TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp3 replacing with iTemp3 3199 result:_TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp3 [k6 lr7:8 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} 3007 packRegsForAssign ic->op = = result:_T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp4 [k8 lr9:10 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _T2CON 827 storage class 3 832 integral 838 specifier _T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 894 -- added _T2CON to hash, size = 1 -- and it is at a fixed address 0xfca 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp4 replacing with iTemp4 3199 result:_T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp4 [k8 lr9:10 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 3007 packRegsForAssign ic->op = = result:_T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp5 [k9 lr11:12 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _T2CON 827 storage class 3 832 integral 838 specifier _T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp5 replacing with iTemp5 3199 result:_T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp5 [k9 lr11:12 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 3007 packRegsForAssign ic->op = = result:_CCP1CON [k10 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp6 [k11 lr13:14 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _CCP1CON 827 storage class 3 832 integral 838 specifier _CCP1CON [k10 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp6 replacing with iTemp6 3199 result:_CCP1CON [k10 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp6 [k11 lr13:14 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 3007 packRegsForAssign ic->op = = result:_CCP2CON [k12 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp7 [k13 lr15:16 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 3015 - actuall processing pic16_allocDirReg:815 symbol name _CCP2CON 827 storage class 3 832 integral 838 specifier _CCP2CON [k12 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} 3019 - result is not temp 3072 Searching for iTempNN 3097 - dic result key == ic right key -- pointer set=N packing. removing iTemp7 replacing with iTemp7 3199 result:_CCP2CON [k12 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} left: right:iTemp7 [k13 lr15:16 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{unsigned-char fixed} 4213 x left:_InicializaPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( ) fixed} c Symbol type: void function ( ) fixed 4213 right:_TRISC [k2 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:iTemp0 [k3 lr3:4 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} Symbol type: char fixed right:_TRISC [k2 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 4213 x left:iTemp0 [k3 lr3:4 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} c Symbol type: char fixed result:_TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 right:_TRISC [k2 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:iTemp2 [k5 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} Symbol type: char fixed right:_TRISC [k2 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 4213 x left:iTemp2 [k5 lr6:7 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed} c Symbol type: char fixed result:_TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 x left:_T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} is volatile sfr 3983 - left is not temp, allocating pic16_allocDirReg:815 symbol name _T2CON 827 storage class 3 832 integral 838 specifier _T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} c Symbol type: volatile-unsigned-char sfr result:_T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 x left:_T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} is volatile sfr 3983 - left is not temp, allocating pic16_allocDirReg:815 symbol name _T2CON 827 storage class 3 832 integral 838 specifier _T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} c Symbol type: volatile-unsigned-char sfr result:_T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 x left:_CCP1CON [k10 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} is volatile sfr 3983 - left is not temp, allocating pic16_allocDirReg:815 symbol name _CCP1CON 827 storage class 3 832 integral 838 specifier _CCP1CON [k10 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} c Symbol type: volatile-unsigned-char sfr result:_CCP1CON [k10 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_CCP1CON [k10 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 x left:_CCP2CON [k12 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} is volatile sfr 3983 - left is not temp, allocating pic16_allocDirReg:815 symbol name _CCP2CON 827 storage class 3 832 integral 838 specifier _CCP2CON [k12 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} c Symbol type: volatile-unsigned-char sfr result:_CCP2CON [k12 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr result:_CCP2CON [k12 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Symbol type: volatile-unsigned-char sfr 4191 - pointer reg req = 0 isBitwiseOptimizable 4213 pic16_packRegisters 4213 x left:_InicializaPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( ) fixed} c Symbol type: void function ( ) fixed 4213 regTypeNum 2754 - iTemp0 2765 - itemp register reg name iTemp0, reg type REG_GPR 2754 - iTemp2 2765 - itemp register reg name iTemp2, reg type REG_GPR serialRegAssign op: LABEL deassignLRs op: FUNCTION deassignLRs op: CAST pic16_allocDirReg BAD, op is NULL pic16_allocDirReg:815 symbol name _TRISC 827 storage class 3 832 integral 838 specifier _TRISC [k2 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (3) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - 2471 - op: BITWISEAND pic16_allocDirReg:815 symbol name _TRISC 827 storage class 3 832 integral 838 specifier _TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg BAD, op is NULL deassignLRs freeReg op: CAST pic16_allocDirReg BAD, op is NULL pic16_allocDirReg:815 symbol name _TRISC 827 storage class 3 832 integral 838 specifier _TRISC [k2 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} deassignLRs willCauseSpill computeSpillable bitvector Size = 23 bSize = 3 Bits on { (5) } getRegGpr allocReg of type REG_GPR for register rIdx: 3 (0x3) 2457 - 2471 - op: BITWISEAND pic16_allocDirReg:815 symbol name _TRISC 827 storage class 3 832 integral 838 specifier _TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg BAD, op is NULL deassignLRs freeReg op: | pic16_allocDirReg:815 symbol name _T2CON 827 storage class 3 832 integral 838 specifier _T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg:815 symbol name _T2CON 827 storage class 3 832 integral 838 specifier _T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg BAD, op is NULL deassignLRs op: | pic16_allocDirReg:815 symbol name _T2CON 827 storage class 3 832 integral 838 specifier _T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg:815 symbol name _T2CON 827 storage class 3 832 integral 838 specifier _T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg BAD, op is NULL deassignLRs op: | pic16_allocDirReg:815 symbol name _CCP1CON 827 storage class 3 832 integral 838 specifier _CCP1CON [k10 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg:815 symbol name _CCP1CON 827 storage class 3 832 integral 838 specifier _CCP1CON [k10 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg BAD, op is NULL deassignLRs op: | pic16_allocDirReg:815 symbol name _CCP2CON 827 storage class 3 832 integral 838 specifier _CCP2CON [k12 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg:815 symbol name _CCP2CON 827 storage class 3 832 integral 838 specifier _CCP2CON [k12 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg BAD, op is NULL deassignLRs op: LABEL deassignLRs op: ENDFUNCTION deassignLRs createRegMask regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp regsUsedIniCode rUmaskForOp rUmaskForOp rUmaskForOp ebbs after optimizing: ---------------------------------------------------------------- Basic Block _entry : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 1 : bbnum = 0 1st iCode = 1 , last iCode = 10 visited 0 : hasFcall = 0 defines bitVector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (5) (6) (7) (8) (10) (11) (12) (13) (14) (15) } local defines bitVector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (4) (5) (6) (7) (8) (9) (10) (11) (12) (13) (14) (15) } pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector : outDefs Set bitvector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (5) (6) (7) (8) (10) (11) (12) (13) (14) (15) } usesDefs Set bitvector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (4) (5) (6) (8) (9) (10) (12) (14) } ---------------------------------------------------------------- Bibliotecas/pwm.c(l60:s1:k0:d0:s0) _entry($2) : Bibliotecas/pwm.c(l60:s2:k1:d0:s0) proc _InicializaPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( ) fixed} Bibliotecas/pwm.c(l62:s3:k2:d0:s0) iTemp0 [k3 lr3:4 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed}[r0x00 ] = (char register)_TRISC [k2 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Bibliotecas/pwm.c(l62:s4:k3:d0:s0) _TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = iTemp0 [k3 lr3:4 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed}[r0x00 ] & 0xfffffffd {char literal} Bibliotecas/pwm.c(l63:s5:k5:d0:s0) iTemp2 [k5 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed}[r0x00 ] = (char register)_TRISC [k2 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} Bibliotecas/pwm.c(l63:s6:k6:d0:s0) _TRISC [k2 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = iTemp2 [k5 lr5:6 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{char fixed}[r0x00 ] & 0xfffffffb {char literal} Bibliotecas/pwm.c(l65:s7:k8:d0:s0) _T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = _T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | 0x3 {const-unsigned-char literal} Bibliotecas/pwm.c(l66:s8:k10:d0:s0) _T2CON [k7 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = _T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | 0x4 {unsigned-char literal} Bibliotecas/pwm.c(l69:s9:k12:d0:s0) _CCP1CON [k10 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = _CCP1CON [k10 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | 0xc {const-unsigned-char literal} Bibliotecas/pwm.c(l70:s10:k14:d0:s0) _CCP2CON [k12 lr0:0 so:0]{ ia1 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} = _CCP2CON [k12 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} | 0xc {const-unsigned-char literal} Bibliotecas/pwm.c(l70:s11:k16:d0:s0) _return($1) : Bibliotecas/pwm.c(l70:s12:k17:d0:s0) eproc _InicializaPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( ) fixed} ---------------------------------------------------------------- Basic Block _return : loop Depth = 0 noPath = 0 , lastinLoop = 0 depth 1st num 2 : bbnum = 1 1st iCode = 11 , last iCode = 12 visited 1 : hasFcall = 0 defines bitVector :bitvector Size = 18 bSize = 3 Bits on { } local defines bitVector : pointers Set bitvector : in pointers Set bitvector : inDefs Set bitvector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (5) (6) (7) (8) (10) (11) (12) (13) (14) (15) } outDefs Set bitvector :bitvector Size = 18 bSize = 3 Bits on { (2) (3) (5) (6) (7) (8) (10) (11) (12) (13) (14) (15) } usesDefs Set bitvector :bitvector Size = 18 bSize = 3 Bits on { } ---------------------------------------------------------------- Bibliotecas/pwm.c(l70:s11:k16:d0:s0) _return($1) : Bibliotecas/pwm.c(l70:s12:k17:d0:s0) eproc _InicializaPWM [k1 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{void function ( ) fixed} pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_allocDirReg BAD, op is NULL pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocDirReg BAD, op is NULL pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocWithIdx - allocating with index = 0x0 Found a Dynamic Register! pic16_allocDirReg:815 symbol name _T2CON 827 storage class 3 832 integral 838 specifier _T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg:815 symbol name _T2CON 827 storage class 3 832 integral 838 specifier _T2CON [k7 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg:815 symbol name _CCP1CON 827 storage class 3 832 integral 838 specifier _CCP1CON [k10 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_allocDirReg:815 symbol name _CCP2CON 827 storage class 3 832 integral 838 specifier _CCP2CON [k12 lr0:0 so:0]{ ia0 a2p0 re0 rm0 nos0 ru0 dp0}{volatile-unsigned-char sfr} pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_freeAllRegs leaving <><><><><><><><><><><><><><><><><> pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x3 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x2 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x1 Found a Dynamic Register! pic16_typeRegWithIdx - requesting index = 0x0 Found a Dynamic Register!
D
/***************************************************************************** * Eigen value & vector for Matrix type * * Authors: 新井 浩平 (Kohei ARAI), arai-kohei-xg@ynu.jp * Version: 1.0 *****************************************************************************/ module sekitk.qvm.eigen; import std.complex; import std.traits: isDynamicArray, isFloatingPoint, isStaticArray, TemplateArgsOf; import sekitk.qvm.common: TypeOfSize; import sekitk.complex.pseudo: isComplex; /************************************************************* * Eigen values & vectors *************************************************************/ struct Eigen(CT, real Threshold, TypeOfSize Size) if(Size > 0 && isComplex!CT){ import sekitk.complex.pseudo: BaseRealType; import sekitk.approx: approxEqualZero; alias RT= BaseRealType!CT; enum CT CT_ZERO= CT(0.0L); enum RT MAX_DIFF_ABS= cast(RT)Threshold; //Constructors @safe pure nothrow @nogc{ /// Copy constructor this(ref return const inout typeof(this) other){} /// Eigen values (argument is Complex!RT[SIZE]) this(ArrayType)(in ArrayType cnum) @nogc if((isDynamicArray!ArrayType && is(ArrayType: CT[])) || (isStaticArray!ArrayType && is(ArrayType: CT[Size]))) in(cnum.length == Size){ import std.algorithm: any; _evalues[]= cnum[]; _invertible= !_evalues[].any(a => approxEqualZero(a)); /+ foreach(const elm; _evalues){ if(approxEqualZero!(CT, MAX_DIFF_ABS)(elm)){ _invertible= false; break; } else continue; }+/ } } @property @safe pure const{ // invertible or singular bool isInvertible() nothrow @nogc{return _invertible;} // eigen values CT[Size] values() nothrow @nogc{return _evalues;} //(Vector!size)[size] vectors(){} // trace CT trace() nothrow @nogc{return traceOrDet!"+";} // determinant CT det() nothrow @nogc{ typeof(return) result= void; if(_invertible) result= traceOrDet!"*"; else result= CT_ZERO; return result; } // jordanNormalForm // diagonalize } private: CT traceOrDet(string Op)() @safe pure nothrow @nogc const{ typeof(return) result= _evalues[0]; static if(Size > 1u){ mixin("foreach(num; _evalues[1u..$]) result " ~Op ~"= num;"); } return result; } bool _invertible; CT[Size] _evalues; }
D
import std.stdio; import core.thread; import std.datetime; // Yield count should be larger for a // more accurate measurment, but this // is just a unit tests, so don't spin // for long immutable uint yield_count = 1000; immutable uint worker_count = 10; void fiber_func() { uint i = yield_count; while( --i ) Fiber.yield(); } void thread_func() { uint i = yield_count; while( --i ) Thread.yield(); } void fiber_test() { Fiber[worker_count] fib_array; foreach( ref f; fib_array ) f = new Fiber( &fiber_func ); StopWatch sw; uint i = yield_count; // fibers are cooperative and need a driver loop sw.start(); bool done; do { done = true; foreach( f; fib_array ) { f.call(); if( f.state() != f.State.TERM ) done = false; } } while( !done ); sw.stop(); writeln( "Elapsed time for ", worker_count, " workers times ", yield_count, " yield() calls with fibers = ", sw.peek().msecs, "ms" ); } void thread_test() { Thread[worker_count] thread_array; foreach( ref t; thread_array ) t = new Thread( &thread_func ); StopWatch sw; sw.start(); foreach( t; thread_array ) t.start(); thread_joinAll(); sw.stop(); writeln( "Elapsed time for ", worker_count, " workers times ", yield_count, " yield() calls with threads = ", sw.peek().msecs, "ms" ); } int main() { fiber_test(); thread_test(); return 0; }
D
// Written in the D programming language. /** This module implements the formatting functionality for strings and I/O. It's comparable to C99's $(D vsprintf()) and uses a similar format encoding scheme. Macros: WIKI = Phobos/StdFormat Copyright: Copyright Digital Mars 2000-2013. License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: $(WEB walterbright.com, Walter Bright), $(WEB erdani.com, Andrei Alexandrescu), and Kenji Hara Source: $(PHOBOSSRC std/_format.d) */ module std.format; //debug=format; // uncomment to turn on debugging printf's import core.stdc.stdio, core.stdc.stdlib, core.stdc.string, core.vararg; import std.algorithm, std.ascii, std.bitmanip, std.conv, std.exception, std.range, std.system, std.traits, std.typetuple, std.utf; version (Win64) { import std.math : isnan; } version(unittest) { import std.math; import std.stdio; import std.string; import std.typecons; import core.exception; import std.string; } version (Win32) version (DigitalMars) { version = DigitalMarsC; } version (DigitalMarsC) { // This is DMC's internal floating point formatting function extern (C) { extern shared char* function(int c, int flags, int precision, in real* pdval, char* buf, size_t* psl, int width) __pfloatfmt; } } /********************************************************************** * Signals a mismatch between a format and its corresponding argument. */ class FormatException : Exception { @safe pure nothrow this() { super("format error"); } @safe pure nothrow this(string msg, string fn = __FILE__, size_t ln = __LINE__, Throwable next = null) { super(msg, fn, ln, next); } } // Explicitly undocumented. It will be removed in November 2013. deprecated("Please use FormatException instead.") alias FormatException FormatError; private alias enforceFmt = enforceEx!FormatException; /********************************************************************** Interprets variadic argument list $(D args), formats them according to $(D fmt), and sends the resulting characters to $(D w). The encoding of the output is the same as $(D Char). The type $(D Writer) must satisfy $(XREF range,isOutputRange!(Writer, Char)). The variadic arguments are normally consumed in order. POSIX-style $(WEB opengroup.org/onlinepubs/009695399/functions/printf.html, positional parameter syntax) is also supported. Each argument is formatted into a sequence of chars according to the format specification, and the characters are passed to $(D w). As many arguments as specified in the format string are consumed and formatted. If there are fewer arguments than format specifiers, a $(D FormatException) is thrown. If there are more remaining arguments than needed by the format specification, they are ignored but only if at least one argument was formatted. The format string supports the formatting of array and nested array elements via the grouping format specifiers $(B %&#40;) and $(B %&#41;). Each matching pair of $(B %&#40;) and $(B %&#41;) corresponds with a single array argument. The enclosed sub-format string is applied to individual array elements. The trailing portion of the sub-format string following the conversion specifier for the array element is interpreted as the array delimiter, and is therefore omitted following the last array element. The $(B %|) specifier may be used to explicitly indicate the start of the delimiter, so that the preceding portion of the string will be included following the last array element. (See below for explicit examples.) Params: w = Output is sent to this writer. Typical output writers include $(XREF array,Appender!string) and $(XREF stdio,LockingTextWriter). fmt = Format string. args = Variadic argument list. Returns: Formatted number of arguments. Throws: Mismatched arguments and formats result in a $(D FormatException) being thrown. Format_String: <a name="format-string">$(I Format strings)</a> consist of characters interspersed with $(I format specifications). Characters are simply copied to the output (such as putc) after any necessary conversion to the corresponding UTF-8 sequence. The format string has the following grammar: $(PRE $(I FormatString): $(I FormatStringItem)* $(I FormatStringItem): $(B '%%') $(B '%') $(I Position) $(I Flags) $(I Width) $(I Precision) $(I FormatChar) $(B '%$(LPAREN)') $(I FormatString) $(B '%$(RPAREN)') $(I OtherCharacterExceptPercent) $(I Position): $(I empty) $(I Integer) $(B '$') $(I Flags): $(I empty) $(B '-') $(I Flags) $(B '+') $(I Flags) $(B '#') $(I Flags) $(B '0') $(I Flags) $(B ' ') $(I Flags) $(I Width): $(I empty) $(I Integer) $(B '*') $(I Precision): $(I empty) $(B '.') $(B '.') $(I Integer) $(B '.*') $(I Integer): $(I Digit) $(I Digit) $(I Integer) $(I Digit): $(B '0')|$(B '1')|$(B '2')|$(B '3')|$(B '4')|$(B '5')|$(B '6')|$(B '7')|$(B '8')|$(B '9') $(I FormatChar): $(B 's')|$(B 'c')|$(B 'b')|$(B 'd')|$(B 'o')|$(B 'x')|$(B 'X')|$(B 'e')|$(B 'E')|$(B 'f')|$(B 'F')|$(B 'g')|$(B 'G')|$(B 'a')|$(B 'A') ) $(BOOKTABLE Flags affect formatting depending on the specifier as follows., $(TR $(TH Flag) $(TH Types&nbsp;affected) $(TH Semantics)) $(TR $(TD $(B '-')) $(TD numeric) $(TD Left justify the result in the field. It overrides any $(B 0) flag.)) $(TR $(TD $(B '+')) $(TD numeric) $(TD Prefix positive numbers in a signed conversion with a $(B +). It overrides any $(I space) flag.)) $(TR $(TD $(B '#')) $(TD integral ($(B 'o'))) $(TD Add to precision as necessary so that the first digit of the octal formatting is a '0', even if both the argument and the $(I Precision) are zero.)) $(TR $(TD $(B '#')) $(TD integral ($(B 'x'), $(B 'X'))) $(TD If non-zero, prefix result with $(B 0x) ($(B 0X)).)) $(TR $(TD $(B '#')) $(TD floating) $(TD Always insert the decimal point and print trailing zeros.)) $(TR $(TD $(B '0')) $(TD numeric) $(TD Use leading zeros to pad rather than spaces (except for the floating point values $(D nan) and $(D infinity)). Ignore if there's a $(I Precision).)) $(TR $(TD $(B ' ')) $(TD numeric) $(TD Prefix positive numbers in a signed conversion with a space.))) <dt>$(I Width) <dd> Specifies the minimum field width. If the width is a $(B *), the next argument, which must be of type $(B int), is taken as the width. If the width is negative, it is as if the $(B -) was given as a $(I Flags) character. <dt>$(I Precision) <dd> Gives the precision for numeric conversions. If the precision is a $(B *), the next argument, which must be of type $(B int), is taken as the precision. If it is negative, it is as if there was no $(I Precision). <dt>$(I FormatChar) <dd> <dl> <dt>$(B 's') <dd>The corresponding argument is formatted in a manner consistent with its type: <dl> <dt>$(B bool) <dd>The result is <tt>'true'</tt> or <tt>'false'</tt>. <dt>integral types <dd>The $(B %d) format is used. <dt>floating point types <dd>The $(B %g) format is used. <dt>string types <dd>The result is the string converted to UTF-8. A $(I Precision) specifies the maximum number of characters to use in the result. <dt>classes derived from $(B Object) <dd>The result is the string returned from the class instance's $(B .toString()) method. A $(I Precision) specifies the maximum number of characters to use in the result. <dt>non-string static and dynamic arrays <dd>The result is [s<sub>0</sub>, s<sub>1</sub>, ...] where s<sub>k</sub> is the kth element formatted with the default format. </dl> <dt>$(B 'c') <dd>The corresponding argument must be a character type. <dt>$(B 'b','d','o','x','X') <dd> The corresponding argument must be an integral type and is formatted as an integer. If the argument is a signed type and the $(I FormatChar) is $(B d) it is converted to a signed string of characters, otherwise it is treated as unsigned. An argument of type $(B bool) is formatted as '1' or '0'. The base used is binary for $(B b), octal for $(B o), decimal for $(B d), and hexadecimal for $(B x) or $(B X). $(B x) formats using lower case letters, $(B X) uppercase. If there are fewer resulting digits than the $(I Precision), leading zeros are used as necessary. If the $(I Precision) is 0 and the number is 0, no digits result. <dt>$(B 'e','E') <dd> A floating point number is formatted as one digit before the decimal point, $(I Precision) digits after, the $(I FormatChar), &plusmn;, followed by at least a two digit exponent: $(I d.dddddd)e$(I &plusmn;dd). If there is no $(I Precision), six digits are generated after the decimal point. If the $(I Precision) is 0, no decimal point is generated. <dt>$(B 'f','F') <dd> A floating point number is formatted in decimal notation. The $(I Precision) specifies the number of digits generated after the decimal point. It defaults to six. At least one digit is generated before the decimal point. If the $(I Precision) is zero, no decimal point is generated. <dt>$(B 'g','G') <dd> A floating point number is formatted in either $(B e) or $(B f) format for $(B g); $(B E) or $(B F) format for $(B G). The $(B f) format is used if the exponent for an $(B e) format is greater than -5 and less than the $(I Precision). The $(I Precision) specifies the number of significant digits, and defaults to six. Trailing zeros are elided after the decimal point, if the fractional part is zero then no decimal point is generated. <dt>$(B 'a','A') <dd> A floating point number is formatted in hexadecimal exponential notation 0x$(I h.hhhhhh)p$(I &plusmn;d). There is one hexadecimal digit before the decimal point, and as many after as specified by the $(I Precision). If the $(I Precision) is zero, no decimal point is generated. If there is no $(I Precision), as many hexadecimal digits as necessary to exactly represent the mantissa are generated. The exponent is written in as few digits as possible, but at least one, is in decimal, and represents a power of 2 as in $(I h.hhhhhh)*2<sup>$(I &plusmn;d)</sup>. The exponent for zero is zero. The hexadecimal digits, x and p are in upper case if the $(I FormatChar) is upper case. </dl> Floating point NaN's are formatted as $(B nan) if the $(I FormatChar) is lower case, or $(B NAN) if upper. Floating point infinities are formatted as $(B inf) or $(B infinity) if the $(I FormatChar) is lower case, or $(B INF) or $(B INFINITY) if upper. </dl> Examples: ------------------------- import std.c.stdio; import std.format; void main() { auto writer = appender!string(); formattedWrite(writer, "%s is the ultimate %s.", 42, "answer"); assert(writer.data == "42 is the ultimate answer."); // Clear the writer writer = appender!string(); formattedWrite(writer, "Date: %2$s %1$s", "October", 5); assert(writer.data == "Date: 5 October"); } ------------------------ The positional and non-positional styles can be mixed in the same format string. (POSIX leaves this behavior undefined.) The internal counter for non-positional parameters tracks the next parameter after the largest positional parameter already used. Example using array and nested array formatting: ------------------------- import std.stdio; void main() { writefln("My items are %(%s %).", [1,2,3]); writefln("My items are %(%s, %).", [1,2,3]); } ------------------------- The output is: <pre class=console> My items are 1 2 3. My items are 1, 2, 3. </pre> The trailing end of the sub-format string following the specifier for each item is interpreted as the array delimiter, and is therefore omitted following the last array item. The $(B %|) delimiter specifier may be used to indicate where the delimiter begins, so that the portion of the format string prior to it will be retained in the last array element: ------------------------- import std.stdio; void main() { writefln("My items are %(-%s-%|, %).", [1,2,3]); } ------------------------- which gives the output: <pre class=console> My items are -1-, -2-, -3-. </pre> These compound format specifiers may be nested in the case of a nested array argument: ------------------------- import std.stdio; void main() { auto mat = [[1, 2, 3], [4, 5, 6], [7, 8, 9]]; writefln("%(%(%d %)\n%)", mat); writeln(); writefln("[%(%(%d %)\n %)]", mat); writeln(); writefln("[%([%(%d %)]%|\n %)]", mat); writeln(); } ------------------------- The output is: <pre class=console> 1 2 3 4 5 6 7 8 9 [1 2 3 4 5 6 7 8 9] [[1 2 3] [4 5 6] [7 8 9]] </pre> Inside a compound format specifier, strings and characters are escaped automatically. To avoid this behavior, add $(B '-') flag to $(D "%$(LPAREN)"). ------------------------- import std.stdio; void main() { writefln("My friends are %s.", ["John", "Nancy"]); writefln("My friends are %(%s, %).", ["John", "Nancy"]); writefln("My friends are %-(%s, %).", ["John", "Nancy"]); } ------------------------- which gives the output: <pre class=console> My friends are ["John", "Nancy"]. My friends are "John", "Nancy". My friends are John, Nancy. </pre> */ uint formattedWrite(Writer, Char, A...)(Writer w, in Char[] fmt, A args) { alias FPfmt = void function(Writer, const(void)*, ref FormatSpec!Char) @safe pure nothrow; auto spec = FormatSpec!Char(fmt); FPfmt[A.length] funs; const(void)*[A.length] argsAddresses; if (!__ctfe) { foreach (i, Arg; A) { funs[i] = ()@trusted{ return cast(FPfmt)&formatGeneric!(Writer, Arg, Char); }(); // We can safely cast away shared because all data is either // immutable or completely owned by this function. argsAddresses[i] = (ref arg)@trusted{ return cast(const void*) &arg; }(args[i]); // Reflect formatting @safe/pure ability of each arguments to this function if (0) formatValue(w, args[i], spec); } } // Are we already done with formats? Then just dump each parameter in turn uint currentArg = 0; while (spec.writeUpToNextSpec(w)) { if (currentArg == funs.length && !spec.indexStart) { // leftover spec? enforceFmt(fmt.length == 0, text("Orphan format specifier: %", fmt)); break; } if (spec.width == spec.DYNAMIC) { auto width = to!(typeof(spec.width))(getNthInt(currentArg, args)); if (width < 0) { spec.flDash = true; width = -width; } spec.width = width; ++currentArg; } else if (spec.width < 0) { // means: get width as a positional parameter auto index = cast(uint) -spec.width; assert(index > 0); auto width = to!(typeof(spec.width))(getNthInt(index - 1, args)); if (currentArg < index) currentArg = index; if (width < 0) { spec.flDash = true; width = -width; } spec.width = width; } if (spec.precision == spec.DYNAMIC) { auto precision = to!(typeof(spec.precision))( getNthInt(currentArg, args)); if (precision >= 0) spec.precision = precision; // else negative precision is same as no precision else spec.precision = spec.UNSPECIFIED; ++currentArg; } else if (spec.precision < 0) { // means: get precision as a positional parameter auto index = cast(uint) -spec.precision; assert(index > 0); auto precision = to!(typeof(spec.precision))( getNthInt(index- 1, args)); if (currentArg < index) currentArg = index; if (precision >= 0) spec.precision = precision; // else negative precision is same as no precision else spec.precision = spec.UNSPECIFIED; } // Format! if (spec.indexStart > 0) { // using positional parameters! foreach (i; spec.indexStart - 1 .. spec.indexEnd) { if (funs.length <= i) break; if (__ctfe) formatNth(w, spec, i, args); else funs[i](w, argsAddresses[i], spec); } if (currentArg < spec.indexEnd) currentArg = spec.indexEnd; } else { if (__ctfe) formatNth(w, spec, currentArg, args); else funs[currentArg](w, argsAddresses[currentArg], spec); ++currentArg; } } return currentArg; } @safe pure unittest { auto w = appender!string(); formattedWrite(w, "%s %d", "@safe/pure", 42); assert(w.data == "@safe/pure 42"); } /** Reads characters from input range $(D r), converts them according to $(D fmt), and writes them to $(D args). Returns: On success, the function returns the number of variables filled. This count can match the expected number of readings or fewer, even zero, if a matching failure happens. Example: ---- string s = "hello!124:34.5"; string a; int b; double c; formattedRead(s, "%s!%s:%s", &a, &b, &c); assert(a == "hello" && b == 124 && c == 34.5); ---- */ uint formattedRead(R, Char, S...)(ref R r, const(Char)[] fmt, S args) { import std.typecons : isTuple; auto spec = FormatSpec!Char(fmt); static if (!S.length) { spec.readUpToNextSpec(r); enforce(spec.trailing.empty); return 0; } else { // The function below accounts for '*' == fields meant to be // read and skipped void skipUnstoredFields() { for (;;) { spec.readUpToNextSpec(r); if (spec.width != spec.DYNAMIC) break; // must skip this field skipData(r, spec); } } skipUnstoredFields(); if (r.empty) { // Input is empty, nothing to read return 0; } alias typeof(*args[0]) A; static if (isTuple!A) { foreach (i, T; A.Types) { (*args[0])[i] = unformatValue!(T)(r, spec); skipUnstoredFields(); } } else { *args[0] = unformatValue!(A)(r, spec); } return 1 + formattedRead(r, spec.trailing, args[1 .. $]); } } unittest { string s = " 1.2 3.4 "; double x, y, z; assert(formattedRead(s, " %s %s %s ", &x, &y, &z) == 2); assert(s.empty); assert(x == 1.2); assert(y == 3.4); assert(isnan(z)); } template FormatSpec(Char) if (!is(Unqual!Char == Char)) { alias FormatSpec!(Unqual!Char) FormatSpec; } /** * A General handler for $(D printf) style format specifiers. Used for building more * specific formatting functions. * * Example: * ---- * auto a = appender!(string)(); * auto fmt = "Number: %2.4e\nString: %s"; * auto f = FormatSpec!char(fmt); * * f.writeUpToNextSpec(a); * * assert(a.data == "Number: "); * assert(f.trailing == "\nString: %s"); * assert(f.spec == 'e'); * assert(f.width == 2); * assert(f.precision == 4); * * f.writeUpToNextSpec(a); * * assert(a.data == "Number: \nString: "); * assert(f.trailing == ""); * assert(f.spec == 's'); * ---- */ struct FormatSpec(Char) if (is(Unqual!Char == Char)) { /** Minimum _width, default $(D 0). */ int width = 0; /** Precision. Its semantics depends on the argument type. For floating point numbers, _precision dictates the number of decimals printed. */ int precision = UNSPECIFIED; /** Special value for width and precision. $(D DYNAMIC) width or precision means that they were specified with $(D '*') in the format string and are passed at runtime through the varargs. */ enum int DYNAMIC = int.max; /** Special value for precision, meaning the format specifier contained no explicit precision. */ enum int UNSPECIFIED = DYNAMIC - 1; /** The actual format specifier, $(D 's') by default. */ char spec = 's'; /** Index of the argument for positional parameters, from $(D 1) to $(D ubyte.max). ($(D 0) means not used). */ ubyte indexStart; /** Index of the last argument for positional parameter range, from $(D 1) to $(D ubyte.max). ($(D 0) means not used). */ ubyte indexEnd; version(StdDdoc) { /** The format specifier contained a $(D '-') ($(D printf) compatibility). */ bool flDash; /** The format specifier contained a $(D '0') ($(D printf) compatibility). */ bool flZero; /** The format specifier contained a $(D ' ') ($(D printf) compatibility). */ bool flSpace; /** The format specifier contained a $(D '+') ($(D printf) compatibility). */ bool flPlus; /** The format specifier contained a $(D '#') ($(D printf) compatibility). */ bool flHash; // Fake field to allow compilation ubyte allFlags; } else { union { mixin(bitfields!( bool, "flDash", 1, bool, "flZero", 1, bool, "flSpace", 1, bool, "flPlus", 1, bool, "flHash", 1, ubyte, "", 3)); ubyte allFlags; } } /** In case of a compound format specifier starting with $(D "%$(LPAREN)") and ending with $(D "%$(RPAREN)"), $(D _nested) contains the string contained within the two separators. */ const(Char)[] nested; /** In case of a compound format specifier, $(D _sep) contains the string positioning after $(D "%|"). */ const(Char)[] sep; /** $(D _trailing) contains the rest of the format string. */ const(Char)[] trailing; /* This string is inserted before each sequence (e.g. array) formatted (by default $(D "[")). */ enum immutable(Char)[] seqBefore = "["; /* This string is inserted after each sequence formatted (by default $(D "]")). */ enum immutable(Char)[] seqAfter = "]"; /* This string is inserted after each element keys of a sequence (by default $(D ":")). */ enum immutable(Char)[] keySeparator = ":"; /* This string is inserted in between elements of a sequence (by default $(D ", ")). */ enum immutable(Char)[] seqSeparator = ", "; /** Construct a new $(D FormatSpec) using the format string $(D fmt), no processing is done until needed. */ this(in Char[] fmt) { trailing = fmt; } bool writeUpToNextSpec(OutputRange)(OutputRange writer) { if (trailing.empty) return false; for (size_t i = 0; i < trailing.length; ++i) { if (trailing[i] != '%') continue; if (trailing[++i] != '%') { // Spec found. Print, fill up the spec, and bailout put(writer, trailing[0 .. i - 1]); trailing = trailing[i .. $]; fillUp(); return true; } // Doubled! Now print whatever we had, then update the // string and move on put(writer, trailing[0 .. i - 1]); trailing = trailing[i .. $]; i = 0; } // no format spec found put(writer, trailing); trailing = null; return false; } unittest { auto w = appender!(char[])(); auto f = FormatSpec("abc%sdef%sghi"); f.writeUpToNextSpec(w); assert(w.data == "abc", w.data); assert(f.trailing == "def%sghi", text(f.trailing)); f.writeUpToNextSpec(w); assert(w.data == "abcdef", w.data); assert(f.trailing == "ghi"); // test with embedded %%s f = FormatSpec("ab%%cd%%ef%sg%%h%sij"); w.clear(); f.writeUpToNextSpec(w); assert(w.data == "ab%cd%ef" && f.trailing == "g%%h%sij", w.data); f.writeUpToNextSpec(w); assert(w.data == "ab%cd%efg%h" && f.trailing == "ij"); // bug4775 f = FormatSpec("%%%s"); w.clear(); f.writeUpToNextSpec(w); assert(w.data == "%" && f.trailing == ""); f = FormatSpec("%%%%%s%%"); w.clear(); while (f.writeUpToNextSpec(w)) continue; assert(w.data == "%%%"); } private void fillUp() { // Reset content if (__ctfe) { flDash = false; flZero = false; flSpace = false; flPlus = false; flHash = false; } else { allFlags = 0; } width = 0; precision = UNSPECIFIED; nested = null; // Parse the spec (we assume we're past '%' already) for (size_t i = 0; i < trailing.length; ) { switch (trailing[i]) { case '(': // Embedded format specifier. auto j = i + 1; // Get the matching balanced paren for (uint innerParens;;) { enforce(j < trailing.length, text("Incorrect format specifier: %", trailing[i .. $])); if (trailing[j++] != '%') { // skip, we're waiting for %( and %) continue; } if (trailing[j] == '-') // for %-( ++j; // skip if (trailing[j] == ')') { if (innerParens-- == 0) break; } else if (trailing[j] == '|') { if (innerParens == 0) break; } else if (trailing[j] == '(') { ++innerParens; } } if (trailing[j] == '|') { auto k = j; for (++j;;) { if (trailing[j++] != '%') continue; if (trailing[j] == '%') ++j; else if (trailing[j] == ')') break; else throw new Exception( text("Incorrect format specifier: %", trailing[j .. $])); } nested = to!(typeof(nested))(trailing[i + 1 .. k - 1]); sep = to!(typeof(nested))(trailing[k + 1 .. j - 1]); } else { nested = to!(typeof(nested))(trailing[i + 1 .. j - 1]); sep = null; } //this = FormatSpec(innerTrailingSpec); spec = '('; // We practically found the format specifier trailing = trailing[j + 1 .. $]; return; case '-': flDash = true; ++i; break; case '+': flPlus = true; ++i; break; case '#': flHash = true; ++i; break; case '0': flZero = true; ++i; break; case ' ': flSpace = true; ++i; break; case '*': if (isDigit(trailing[++i])) { // a '*' followed by digits and '$' is a // positional format trailing = trailing[1 .. $]; width = -.parse!(typeof(width))(trailing); i = 0; enforceFmt(trailing[i++] == '$', "$ expected"); } else { // read result width = DYNAMIC; } break; case '1': .. case '9': auto tmp = trailing[i .. $]; const widthOrArgIndex = .parse!uint(tmp); enforceFmt(tmp.length, text("Incorrect format specifier %", trailing[i .. $])); i = tmp.ptr - trailing.ptr; if (tmp.startsWith('$')) { // index of the form %n$ indexEnd = indexStart = to!ubyte(widthOrArgIndex); ++i; } else if (tmp.length && tmp[0] == ':') { // two indexes of the form %m:n$, or one index of the form %m:$ indexStart = to!ubyte(widthOrArgIndex); tmp = tmp[1 .. $]; if (tmp.startsWith('$')) { indexEnd = indexEnd.max; } else { indexEnd = .parse!(typeof(indexEnd))(tmp); } i = tmp.ptr - trailing.ptr; enforceFmt(trailing[i++] == '$', "$ expected"); } else { // width width = to!int(widthOrArgIndex); } break; case '.': // Precision if (trailing[++i] == '*') { if (isDigit(trailing[++i])) { // a '.*' followed by digits and '$' is a // positional precision trailing = trailing[i .. $]; i = 0; precision = -.parse!int(trailing); enforceFmt(trailing[i++] == '$', "$ expected"); } else { // read result precision = DYNAMIC; } } else if (trailing[i] == '-') { // negative precision, as good as 0 precision = 0; auto tmp = trailing[i .. $]; .parse!int(tmp); // skip digits i = tmp.ptr - trailing.ptr; } else if (isDigit(trailing[i])) { auto tmp = trailing[i .. $]; precision = .parse!int(tmp); i = tmp.ptr - trailing.ptr; } else { // "." was specified, but nothing after it precision = 0; } break; default: // this is the format char spec = cast(char) trailing[i++]; trailing = trailing[i .. $]; return; } // end switch } // end for throw new Exception(text("Incorrect format specifier: ", trailing)); } //-------------------------------------------------------------------------- private bool readUpToNextSpec(R)(ref R r) { // Reset content if (__ctfe) { flDash = false; flZero = false; flSpace = false; flPlus = false; flHash = false; } else { allFlags = 0; } width = 0; precision = UNSPECIFIED; nested = null; // Parse the spec while (trailing.length) { if (*trailing.ptr == '%') { if (trailing.length > 1 && trailing.ptr[1] == '%') { assert(!r.empty); // Require a '%' if (r.front != '%') break; trailing = trailing[2 .. $]; r.popFront(); } else { enforce(isLower(trailing[1]) || trailing[1] == '*' || trailing[1] == '(', text("'%", trailing[1], "' not supported with formatted read")); trailing = trailing[1 .. $]; fillUp(); return true; } } else { if (trailing.ptr[0] == ' ') { while (!r.empty && std.ascii.isWhite(r.front)) r.popFront(); //r = std.algorithm.find!(not!(std.ascii.isWhite))(r); } else { enforce(!r.empty, text("parseToFormatSpec: Cannot find character `", trailing.ptr[0], "' in the input string.")); if (r.front != trailing.front) break; r.popFront(); } trailing = trailing[std.utf.stride(trailing, 0) .. $]; } } return false; } private const string getCurFmtStr() { auto w = appender!string(); auto f = FormatSpec!Char("%s"); // for stringnize put(w, '%'); if (indexStart != 0) formatValue(w, indexStart, f), put(w, '$'); if (flDash) put(w, '-'); if (flZero) put(w, '0'); if (flSpace) put(w, ' '); if (flPlus) put(w, '+'); if (flHash) put(w, '#'); if (width != 0) formatValue(w, width, f); if (precision != FormatSpec!Char.UNSPECIFIED) put(w, '.'), formatValue(w, precision, f); put(w, spec); return w.data; } unittest { // issue 5237 auto w = appender!string(); auto f = FormatSpec!char("%.16f"); f.writeUpToNextSpec(w); // dummy eating assert(f.spec == 'f'); auto fmt = f.getCurFmtStr(); assert(fmt == "%.16f"); } private const(Char)[] headUpToNextSpec() { auto w = appender!(typeof(return))(); auto tr = trailing; while (tr.length) { if (*tr.ptr == '%') { if (tr.length > 1 && tr.ptr[1] == '%') { tr = tr[2 .. $]; w.put('%'); } else break; } else { w.put(tr.front); tr.popFront(); } } return w.data; } string toString() { return text("address = ", cast(void*) &this, "\nwidth = ", width, "\nprecision = ", precision, "\nspec = ", spec, "\nindexStart = ", indexStart, "\nindexEnd = ", indexEnd, "\nflDash = ", flDash, "\nflZero = ", flZero, "\nflSpace = ", flSpace, "\nflPlus = ", flPlus, "\nflHash = ", flHash, "\nnested = ", nested, "\ntrailing = ", trailing, "\n"); } } @safe pure unittest { //Test the example auto a = appender!(string)(); auto fmt = "Number: %2.4e\nString: %s"; auto f = FormatSpec!char(fmt); f.writeUpToNextSpec(a); assert(a.data == "Number: "); assert(f.trailing == "\nString: %s"); assert(f.spec == 'e'); assert(f.width == 2); assert(f.precision == 4); f.writeUpToNextSpec(a); assert(a.data == "Number: \nString: "); assert(f.trailing == ""); assert(f.spec == 's'); } /** Helper function that returns a $(D FormatSpec) for a single specifier given in $(D fmt) Returns a $(D FormatSpec) with the specifier parsed. Enforces giving only one specifier to the function. */ FormatSpec!Char singleSpec(Char)(Char[] fmt) { enforce(fmt.length >= 2, new Exception("fmt must be at least 2 characters long")); enforce(fmt.front == '%', new Exception("fmt must start with a '%' character")); static struct DummyOutputRange { void put(C)(C[] buf) {} // eat elements } auto a = DummyOutputRange(); auto spec = FormatSpec!Char(fmt); //dummy write spec.writeUpToNextSpec(a); enforce(spec.trailing.empty, new Exception(text("Trailing characters in fmt string: '", spec.trailing))); return spec; } unittest { auto spec = singleSpec("%2.3e"); assert(spec.trailing == ""); assert(spec.spec == 'e'); assert(spec.width == 2); assert(spec.precision == 3); assertThrown(singleSpec("")); assertThrown(singleSpec("2.3e")); assertThrown(singleSpec("%2.3eTest")); } /** $(D bool)s are formatted as "true" or "false" with %s and as "1" or "0" with integral-specific format specs. */ void formatValue(Writer, T, Char)(Writer w, T obj, ref FormatSpec!Char f) if (is(BooleanTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { BooleanTypeOf!T val = obj; if (f.spec == 's') { string s = val ? "true" : "false"; if (!f.flDash) { // right align if (f.width > s.length) foreach (i ; 0 .. f.width - s.length) put(w, ' '); put(w, s); } else { // left align put(w, s); if (f.width > s.length) foreach (i ; 0 .. f.width - s.length) put(w, ' '); } } else formatValue(w, cast(int) val, f); } @safe pure unittest { assertCTFEable!( { formatTest( false, "false" ); formatTest( true, "true" ); }); } unittest { class C1 { bool val; alias val this; this(bool v){ val = v; } } class C2 { bool val; alias val this; this(bool v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(false), "false" ); formatTest( new C1(true), "true" ); formatTest( new C2(false), "C" ); formatTest( new C2(true), "C" ); struct S1 { bool val; alias val this; } struct S2 { bool val; alias val this; string toString() const { return "S"; } } formatTest( S1(false), "false" ); formatTest( S1(true), "true" ); formatTest( S2(false), "S" ); formatTest( S2(true), "S" ); } unittest { string t1 = format("[%6s] [%6s] [%-6s]", true, false, true); assert(t1 == "[ true] [ false] [true ]"); string t2 = format("[%3s] [%-2s]", true, false); assert(t2 == "[true] [false]"); } /** $(D null) literal is formatted as $(D "null"). */ void formatValue(Writer, T, Char)(Writer w, T obj, ref FormatSpec!Char f) if (is(T == typeof(null)) && !is(T == enum) && !hasToString!(T, Char)) { enforceFmt(f.spec == 's', "null"); put(w, "null"); } @safe pure unittest { assertCTFEable!( { formatTest( null, "null" ); }); } /** Integrals are formatted like $(D printf) does. */ void formatValue(Writer, T, Char)(Writer w, T obj, ref FormatSpec!Char f) if (is(IntegralTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { alias U = IntegralTypeOf!T; U val = obj; // Extracting alias this may be impure/system/may-throw if (f.spec == 'r') { // raw write, skip all else and write the thing auto raw = (ref val)@trusted{ return (cast(const char*) &val)[0 .. val.sizeof]; }(val); if (std.system.endian == Endian.littleEndian && f.flPlus || std.system.endian == Endian.bigEndian && f.flDash) { // must swap bytes foreach_reverse (c; raw) put(w, c); } else { foreach (c; raw) put(w, c); } return; } uint base = f.spec == 'x' || f.spec == 'X' ? 16 : f.spec == 'o' ? 8 : f.spec == 'b' ? 2 : f.spec == 's' || f.spec == 'd' || f.spec == 'u' ? 10 : 0; enforceFmt(base > 0, "integral"); // Forward on to formatIntegral to handle both U and const(U) // Saves duplication of code for both versions. static if (isSigned!U) formatIntegral(w, cast( long) val, f, base, Unsigned!U.max); else formatIntegral(w, cast(ulong) val, f, base, U.max); } private void formatIntegral(Writer, T, Char)(Writer w, const(T) val, ref FormatSpec!Char f, uint base, ulong mask) { FormatSpec!Char fs = f; // fs is copy for change its values. T arg = val; bool negative = (base == 10 && arg < 0); if (negative) { arg = -arg; } // All unsigned integral types should fit in ulong. formatUnsigned(w, (cast(ulong) arg) & mask, fs, base, negative); } private void formatUnsigned(Writer, Char)(Writer w, ulong arg, ref FormatSpec!Char fs, uint base, bool negative) { if (fs.precision == fs.UNSPECIFIED) { // default precision for integrals is 1 fs.precision = 1; } else { // if a precision is specified, the '0' flag is ignored. fs.flZero = false; } char leftPad = void; if (!fs.flDash && !fs.flZero) leftPad = ' '; else if (!fs.flDash && fs.flZero) leftPad = '0'; else leftPad = 0; // figure out sign and continue in unsigned mode char forcedPrefix = void; if (fs.flPlus) forcedPrefix = '+'; else if (fs.flSpace) forcedPrefix = ' '; else forcedPrefix = 0; if (base != 10) { // non-10 bases are always unsigned forcedPrefix = 0; } else if (negative) { // argument is signed forcedPrefix = '-'; } // fill the digits char[64] buffer; // 64 bits in base 2 at most char[] digits; { uint i = buffer.length; auto n = arg; do { --i; buffer[i] = cast(char) (n % base); n /= base; if (buffer[i] < 10) buffer[i] += '0'; else buffer[i] += (fs.spec == 'x' ? 'a' : 'A') - 10; } while (n); digits = buffer[i .. $]; // got the digits without the sign } // adjust precision to print a '0' for octal if alternate format is on if (base == 8 && fs.flHash && (fs.precision <= digits.length)) // too low precision { //fs.precision = digits.length + (arg != 0); forcedPrefix = '0'; } // write left pad; write sign; write 0x or 0X; write digits; // write right pad // Writing left pad ptrdiff_t spacesToPrint = fs.width // start with the minimum width - digits.length // take away digits to print - (forcedPrefix != 0) // take away the sign if any - (base == 16 && fs.flHash && arg ? 2 : 0); // 0x or 0X const ptrdiff_t delta = fs.precision - digits.length; if (delta > 0) spacesToPrint -= delta; if (spacesToPrint > 0) // need to do some padding { if (leftPad == '0') { // pad with zeros fs.precision = cast(typeof(fs.precision)) (spacesToPrint + digits.length); //to!(typeof(fs.precision))(spacesToPrint + digits.length); } else if (leftPad) foreach (i ; 0 .. spacesToPrint) put(w, ' '); } // write sign if (forcedPrefix) put(w, forcedPrefix); // write 0x or 0X if (base == 16 && fs.flHash && arg) { // @@@ overcome bug in dmd; //w.write(fs.spec == 'x' ? "0x" : "0X"); //crashes the compiler put(w, '0'); put(w, fs.spec == 'x' ? 'x' : 'X'); // x or X } // write the digits if (arg || fs.precision) { ptrdiff_t zerosToPrint = fs.precision - digits.length; foreach (i ; 0 .. zerosToPrint) put(w, '0'); put(w, digits); } // write the spaces to the right if left-align if (!leftPad) foreach (i ; 0 .. spacesToPrint) put(w, ' '); } @safe pure unittest { assertCTFEable!( { formatTest( 10, "10" ); }); } unittest { class C1 { long val; alias val this; this(long v){ val = v; } } class C2 { long val; alias val this; this(long v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(10), "10" ); formatTest( new C2(10), "C" ); struct S1 { long val; alias val this; } struct S2 { long val; alias val this; string toString() const { return "S"; } } formatTest( S1(10), "10" ); formatTest( S2(10), "S" ); } // bugzilla 9117 unittest { static struct Frop {} static struct Foo { int n = 0; alias n this; T opCast(T) () if (is(T == Frop)) { return Frop(); } string toString() { return "Foo"; } } static struct Bar { Foo foo; alias foo this; string toString() { return "Bar"; } } const(char)[] result; void put(const char[] s){ result ~= s; } Foo foo; formattedWrite(&put, "%s", foo); // OK assert(result == "Foo"); result = null; Bar bar; formattedWrite(&put, "%s", bar); // NG assert(result == "Bar"); } /** * Floating-point values are formatted like $(D printf) does. */ void formatValue(Writer, T, Char)(Writer w, T obj, ref FormatSpec!Char f) if (is(FloatingPointTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { FormatSpec!Char fs = f; // fs is copy for change its values. FloatingPointTypeOf!T val = obj; if (fs.spec == 'r') { // raw write, skip all else and write the thing auto raw = (ref val)@trusted{ return (cast(const char*) &val)[0 .. val.sizeof]; }(val); if (std.system.endian == Endian.littleEndian && f.flPlus || std.system.endian == Endian.bigEndian && f.flDash) { // must swap bytes foreach_reverse (c; raw) put(w, c); } else { foreach (c; raw) put(w, c); } return; } enforceFmt(std.algorithm.find("fgFGaAeEs", fs.spec).length, "floating"); version (Win64) { if (isnan(val)) // snprintf writes 1.#QNAN { version(none) { return formatValue(w, "nan", f); } else // FIXME:workaroun { auto s = "nan"[0 .. f.precision < $ ? f.precision : $]; if (!f.flDash) { // right align if (f.width > s.length) foreach (j ; 0 .. f.width - s.length) put(w, ' '); put(w, s); } else { // left align put(w, s); if (f.width > s.length) foreach (j ; 0 .. f.width - s.length) put(w, ' '); } return; } } } if (fs.spec == 's') fs.spec = 'g'; char[1 /*%*/ + 5 /*flags*/ + 3 /*width.prec*/ + 2 /*format*/ + 1 /*\0*/] sprintfSpec = void; sprintfSpec[0] = '%'; uint i = 1; if (fs.flDash) sprintfSpec[i++] = '-'; if (fs.flPlus) sprintfSpec[i++] = '+'; if (fs.flZero) sprintfSpec[i++] = '0'; if (fs.flSpace) sprintfSpec[i++] = ' '; if (fs.flHash) sprintfSpec[i++] = '#'; sprintfSpec[i .. i + 3] = "*.*"; i += 3; if (is(Unqual!(typeof(val)) == real)) sprintfSpec[i++] = 'L'; sprintfSpec[i++] = fs.spec; sprintfSpec[i] = 0; //printf("format: '%s'; geeba: %g\n", sprintfSpec.ptr, val); char[512] buf; immutable n = snprintf(buf.ptr, buf.length, sprintfSpec.ptr, fs.width, // negative precision is same as no precision specified fs.precision == fs.UNSPECIFIED ? -1 : fs.precision, val); enforceFmt(n >= 0, "floating point formatting failure"); put(w, buf[0 .. strlen(buf.ptr)]); } /*@safe pure */unittest { foreach (T; TypeTuple!(float, double, real)) { formatTest( to!( T)(5.5), "5.5" ); formatTest( to!( const T)(5.5), "5.5" ); formatTest( to!(immutable T)(5.5), "5.5" ); formatTest( T.nan, "nan" ); } } unittest { formatTest( 2.25, "2.25" ); class C1 { double val; alias val this; this(double v){ val = v; } } class C2 { double val; alias val this; this(double v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(2.25), "2.25" ); formatTest( new C2(2.25), "C" ); struct S1 { double val; alias val this; } struct S2 { double val; alias val this; string toString() const { return "S"; } } formatTest( S1(2.25), "2.25" ); formatTest( S2(2.25), "S" ); } /* Formatting a $(D creal) is deprecated but still kept around for a while. */ void formatValue(Writer, T, Char)(Writer w, T obj, ref FormatSpec!Char f) if (is(Unqual!T : creal) && !is(T == enum) && !hasToString!(T, Char)) { creal val = obj; formatValue(w, val.re, f); if (val.im >= 0) { put(w, '+'); } formatValue(w, val.im, f); put(w, 'i'); } /*@safe pure */unittest { foreach (T; TypeTuple!(cfloat, cdouble, creal)) { formatTest( to!( T)(1 + 1i), "1+1i" ); formatTest( to!( const T)(1 + 1i), "1+1i" ); formatTest( to!(immutable T)(1 + 1i), "1+1i" ); } foreach (T; TypeTuple!(cfloat, cdouble, creal)) { formatTest( to!( T)(0 - 3i), "0-3i" ); formatTest( to!( const T)(0 - 3i), "0-3i" ); formatTest( to!(immutable T)(0 - 3i), "0-3i" ); } } unittest { formatTest( 3+2.25i, "3+2.25i" ); class C1 { cdouble val; alias val this; this(cdouble v){ val = v; } } class C2 { cdouble val; alias val this; this(cdouble v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(3+2.25i), "3+2.25i" ); formatTest( new C2(3+2.25i), "C" ); struct S1 { cdouble val; alias val this; } struct S2 { cdouble val; alias val this; string toString() const { return "S"; } } formatTest( S1(3+2.25i), "3+2.25i" ); formatTest( S2(3+2.25i), "S" ); } /* Formatting an $(D ireal) is deprecated but still kept around for a while. */ void formatValue(Writer, T, Char)(Writer w, T obj, ref FormatSpec!Char f) if (is(Unqual!T : ireal) && !is(T == enum) && !hasToString!(T, Char)) { ireal val = obj; formatValue(w, val.im, f); put(w, 'i'); } /*@safe pure */unittest { foreach (T; TypeTuple!(ifloat, idouble, ireal)) { formatTest( to!( T)(1i), "1i" ); formatTest( to!( const T)(1i), "1i" ); formatTest( to!(immutable T)(1i), "1i" ); } } unittest { formatTest( 2.25i, "2.25i" ); class C1 { idouble val; alias val this; this(idouble v){ val = v; } } class C2 { idouble val; alias val this; this(idouble v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(2.25i), "2.25i" ); formatTest( new C2(2.25i), "C" ); struct S1 { idouble val; alias val this; } struct S2 { idouble val; alias val this; string toString() const { return "S"; } } formatTest( S1(2.25i), "2.25i" ); formatTest( S2(2.25i), "S" ); } /** Individual characters ($(D char), $(D wchar), or $(D dchar)) are formatted as Unicode characters with %s and as integers with integral-specific format specs. */ void formatValue(Writer, T, Char)(Writer w, T obj, ref FormatSpec!Char f) if (is(CharTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { CharTypeOf!T val = obj; if (f.spec == 's' || f.spec == 'c') { put(w, val); } else { alias U = TypeTuple!(ubyte, ushort, uint)[CharTypeOf!T.sizeof/2]; formatValue(w, cast(U) val, f); } } @safe pure unittest { assertCTFEable!( { formatTest( 'c', "c" ); }); } unittest { class C1 { char val; alias val this; this(char v){ val = v; } } class C2 { char val; alias val this; this(char v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1('c'), "c" ); formatTest( new C2('c'), "C" ); struct S1 { char val; alias val this; } struct S2 { char val; alias val this; string toString() const { return "S"; } } formatTest( S1('c'), "c" ); formatTest( S2('c'), "S" ); } @safe pure unittest { //Little Endian formatTest( "%-r", cast( char)'c', ['c' ] ); formatTest( "%-r", cast(wchar)'c', ['c', 0 ] ); formatTest( "%-r", cast(dchar)'c', ['c', 0, 0, 0] ); formatTest( "%-r", '本', ['\x2c', '\x67'] ); //Big Endian formatTest( "%+r", cast( char)'c', [ 'c'] ); formatTest( "%+r", cast(wchar)'c', [0, 'c'] ); formatTest( "%+r", cast(dchar)'c', [0, 0, 0, 'c'] ); formatTest( "%+r", '本', ['\x67', '\x2c'] ); } /** Strings are formatted like $(D printf) does. */ void formatValue(Writer, T, Char)(Writer w, T obj, ref FormatSpec!Char f) if (is(StringTypeOf!T) && !is(StaticArrayTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { Unqual!(StringTypeOf!T) val = obj; // for `alias this`, see bug5371 formatRange(w, val, f); } unittest { formatTest( "abc", "abc" ); } unittest { // Test for bug 5371 for classes class C1 { const string var; alias var this; this(string s){ var = s; } } class C2 { string var; alias var this; this(string s){ var = s; } } formatTest( new C1("c1"), "c1" ); formatTest( new C2("c2"), "c2" ); // Test for bug 5371 for structs struct S1 { const string var; alias var this; } struct S2 { string var; alias var this; } formatTest( S1("s1"), "s1" ); formatTest( S2("s2"), "s2" ); } unittest { class C3 { string val; alias val this; this(string s){ val = s; } override string toString() const { return "C"; } } formatTest( new C3("c3"), "C" ); struct S3 { string val; alias val this; string toString() const { return "S"; } } formatTest( S3("s3"), "S" ); } @safe pure unittest { //Little Endian formatTest( "%-r", "ab"c, ['a' , 'b' ] ); formatTest( "%-r", "ab"w, ['a', 0 , 'b', 0 ] ); formatTest( "%-r", "ab"d, ['a', 0, 0, 0, 'b', 0, 0, 0] ); formatTest( "%-r", "日本語"c, ['\xe6', '\x97', '\xa5', '\xe6', '\x9c', '\xac', '\xe8', '\xaa', '\x9e'] ); formatTest( "%-r", "日本語"w, ['\xe5', '\x65', '\x2c', '\x67', '\x9e', '\x8a' ] ); formatTest( "%-r", "日本語"d, ['\xe5', '\x65', '\x00', '\x00', '\x2c', '\x67', '\x00', '\x00', '\x9e', '\x8a', '\x00', '\x00'] ); //Big Endian formatTest( "%+r", "ab"c, [ 'a', 'b'] ); formatTest( "%+r", "ab"w, [ 0, 'a', 0, 'b'] ); formatTest( "%+r", "ab"d, [0, 0, 0, 'a', 0, 0, 0, 'b'] ); formatTest( "%+r", "日本語"c, ['\xe6', '\x97', '\xa5', '\xe6', '\x9c', '\xac', '\xe8', '\xaa', '\x9e'] ); formatTest( "%+r", "日本語"w, [ '\x65', '\xe5', '\x67', '\x2c', '\x8a', '\x9e'] ); formatTest( "%+r", "日本語"d, ['\x00', '\x00', '\x65', '\xe5', '\x00', '\x00', '\x67', '\x2c', '\x00', '\x00', '\x8a', '\x9e'] ); } /** Static-size arrays are formatted as dynamic arrays. */ void formatValue(Writer, T, Char)(Writer w, auto ref T obj, ref FormatSpec!Char f) if (is(StaticArrayTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { formatValue(w, obj[], f); } unittest // Test for issue 8310 { FormatSpec!char f; auto w = appender!string(); char[2] two = ['a', 'b']; formatValue(w, two, f); char[2] getTwo(){ return two; } formatValue(w, getTwo(), f); } /** Dynamic arrays are formatted as input ranges. Specializations: $(UL $(LI $(D void[]) is formatted like $(D ubyte[]).) $(LI Const array is converted to input range by removing its qualifier.)) */ void formatValue(Writer, T, Char)(Writer w, T obj, ref FormatSpec!Char f) if (is(DynamicArrayTypeOf!T) && !is(StringTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { static if (is(const(ArrayTypeOf!T) == const(void[]))) { formatValue(w, cast(const ubyte[])obj, f); } else static if (!isInputRange!T) { alias Unqual!(ArrayTypeOf!T) U; static assert(isInputRange!U); U val = obj; formatValue(w, val, f); } else { formatRange(w, obj, f); } } // alias this, input range I/F, and toString() unittest { struct S(uint flags) { int[] arr; static if (flags & 1) alias arr this; static if (flags & 2) { @property bool empty() const { return arr.length == 0; } @property int front() const { return arr[0] * 2; } void popFront() { arr = arr[1..$]; } } static if (flags & 4) string toString() const { return "S"; } } formatTest(S!0b000([0, 1, 2]), "S!0([0, 1, 2])"); formatTest(S!0b001([0, 1, 2]), "[0, 1, 2]"); // Test for bug 7628 formatTest(S!0b010([0, 1, 2]), "[0, 2, 4]"); formatTest(S!0b011([0, 1, 2]), "[0, 2, 4]"); formatTest(S!0b100([0, 1, 2]), "S"); formatTest(S!0b101([0, 1, 2]), "S"); // Test for bug 7628 formatTest(S!0b110([0, 1, 2]), "S"); formatTest(S!0b111([0, 1, 2]), "S"); class C(uint flags) { int[] arr; static if (flags & 1) alias arr this; this(int[] a) { arr = a; } static if (flags & 2) { @property bool empty() const { return arr.length == 0; } @property int front() const { return arr[0] * 2; } void popFront() { arr = arr[1..$]; } } static if (flags & 4) override string toString() const { return "C"; } } formatTest(new C!0b000([0, 1, 2]), (new C!0b000([])).toString()); formatTest(new C!0b001([0, 1, 2]), "[0, 1, 2]"); // Test for bug 7628 formatTest(new C!0b010([0, 1, 2]), "[0, 2, 4]"); formatTest(new C!0b011([0, 1, 2]), "[0, 2, 4]"); formatTest(new C!0b100([0, 1, 2]), "C"); formatTest(new C!0b101([0, 1, 2]), "C"); // Test for bug 7628 formatTest(new C!0b110([0, 1, 2]), "C"); formatTest(new C!0b111([0, 1, 2]), "C"); } unittest { // void[] void[] val0; formatTest( val0, "[]" ); void[] val = cast(void[])cast(ubyte[])[1, 2, 3]; formatTest( val, "[1, 2, 3]" ); void[0] sval0 = []; formatTest( sval0, "[]"); void[3] sval = cast(void[3])cast(ubyte[3])[1, 2, 3]; formatTest( sval, "[1, 2, 3]" ); } unittest { // const(T[]) -> const(T)[] const short[] a = [1, 2, 3]; formatTest( a, "[1, 2, 3]" ); struct S { const(int[]) arr; alias arr this; } auto s = S([1,2,3]); formatTest( s, "[1, 2, 3]" ); } unittest { // 6640 struct Range { string value; const @property bool empty(){ return !value.length; } const @property dchar front(){ return value.front; } void popFront(){ value.popFront(); } const @property size_t length(){ return value.length; } } immutable table = [ ["[%s]", "[string]"], ["[%10s]", "[ string]"], ["[%-10s]", "[string ]"], ["[%(%02x %)]", "[73 74 72 69 6e 67]"], ["[%(%c %)]", "[s t r i n g]"], ]; foreach (e; table) { formatTest(e[0], "string", e[1]); formatTest(e[0], Range("string"), e[1]); } } unittest { // string literal from valid UTF sequence is encoding free. foreach (StrType; TypeTuple!(string, wstring, dstring)) { // Valid and printable (ASCII) formatTest( [cast(StrType)"hello"], `["hello"]` ); // 1 character escape sequences (' is not escaped in strings) formatTest( [cast(StrType)"\"'\0\\\a\b\f\n\r\t\v"], `["\"'\0\\\a\b\f\n\r\t\v"]` ); // 1 character optional escape sequences formatTest( [cast(StrType)"\'\?"], `["'?"]` ); // Valid and non-printable code point (<= U+FF) formatTest( [cast(StrType)"\x10\x1F\x20test"], `["\x10\x1F test"]` ); // Valid and non-printable code point (<= U+FFFF) formatTest( [cast(StrType)"\u200B..\u200F"], `["\u200B..\u200F"]` ); // Valid and non-printable code point (<= U+10FFFF) formatTest( [cast(StrType)"\U000E0020..\U000E007F"], `["\U000E0020..\U000E007F"]` ); } // invalid UTF sequence needs hex-string literal postfix (c/w/d) { // U+FFFF with UTF-8 (Invalid code point for interchange) formatTest( [cast(string)[0xEF, 0xBF, 0xBF]], `[x"EF BF BF"c]` ); // U+FFFF with UTF-16 (Invalid code point for interchange) formatTest( [cast(wstring)[0xFFFF]], `[x"FFFF"w]` ); // U+FFFF with UTF-32 (Invalid code point for interchange) formatTest( [cast(dstring)[0xFFFF]], `[x"FFFF"d]` ); } } unittest { // nested range formatting with array of string formatTest( "%({%(%02x %)}%| %)", ["test", "msg"], `{74 65 73 74} {6d 73 67}` ); } unittest { // stop auto escaping inside range formatting auto arr = ["hello", "world"]; formatTest( "%(%s, %)", arr, `"hello", "world"` ); formatTest( "%-(%s, %)", arr, `hello, world` ); auto aa1 = [1:"hello", 2:"world"]; formatTest( "%(%s:%s, %)", aa1, [`1:"hello", 2:"world"`, `2:"world", 1:"hello"`] ); formatTest( "%-(%s:%s, %)", aa1, [`1:hello, 2:world`, `2:world, 1:hello`] ); auto aa2 = [1:["ab", "cd"], 2:["ef", "gh"]]; formatTest( "%-(%s:%s, %)", aa2, [`1:["ab", "cd"], 2:["ef", "gh"]`, `2:["ef", "gh"], 1:["ab", "cd"]`] ); formatTest( "%-(%s:%(%s%), %)", aa2, [`1:"ab""cd", 2:"ef""gh"`, `2:"ef""gh", 1:"ab""cd"`] ); formatTest( "%-(%s:%-(%s%)%|, %)", aa2, [`1:abcd, 2:efgh`, `2:efgh, 1:abcd`] ); } // input range formatting private void formatRange(Writer, T, Char)(ref Writer w, ref T val, ref FormatSpec!Char f) if (isInputRange!T) { // Formatting character ranges like string if (f.spec == 's') { static if (is(CharTypeOf!(ElementType!T))) { static if (is(StringTypeOf!T)) { auto s = val[0 .. f.precision < $ ? f.precision : $]; if (!f.flDash) { // right align if (f.width > s.length) foreach (i ; 0 .. f.width - s.length) put(w, ' '); put(w, s); } else { // left align put(w, s); if (f.width > s.length) foreach (i ; 0 .. f.width - s.length) put(w, ' '); } } else { if (!f.flDash) { static if (hasLength!T) { // right align auto len = val.length; } else static if (isForwardRange!T && !isInfinite!T) { auto len = walkLength(val.save); } else { enforce(f.width == 0, "Cannot right-align a range without length"); size_t len = 0; } if (f.precision != f.UNSPECIFIED && len > f.precision) len = f.precision; if (f.width > len) foreach (i ; 0 .. f.width - len) put(w, ' '); if (f.precision == f.UNSPECIFIED) put(w, val); else { size_t printed = 0; for (; !val.empty && printed < f.precision; val.popFront(), ++printed) put(w, val.front); } } else { size_t printed = void; // left align if (f.precision == f.UNSPECIFIED) { static if (hasLength!T) { printed = val.length; put(w, val); } else { printed = 0; for (; !val.empty; val.popFront(), ++printed) put(w, val.front); } } else { printed = 0; for (; !val.empty && printed < f.precision; val.popFront(), ++printed) put(w, val.front); } if (f.width > printed) foreach (i ; 0 .. f.width - printed) put(w, ' '); } } } else { put(w, f.seqBefore); if (!val.empty) { formatElement(w, val.front, f); val.popFront(); for (size_t i; !val.empty; val.popFront(), ++i) { put(w, f.seqSeparator); formatElement(w, val.front, f); } } static if (!isInfinite!T) put(w, f.seqAfter); } } else if (f.spec == 'r') { static if (is(DynamicArrayTypeOf!T)) { alias ARR = DynamicArrayTypeOf!T; foreach (e ; cast(ARR)val) { formatValue(w, e, f); } } else { for (size_t i; !val.empty; val.popFront(), ++i) { formatValue(w, val.front, f); } } } else if (f.spec == '(') { if (val.empty) return; // Nested specifier is to be used for (;;) { auto fmt = FormatSpec!Char(f.nested); fmt.writeUpToNextSpec(w); if (f.flDash) formatValue(w, val.front, fmt); else formatElement(w, val.front, fmt); if (f.sep) { put(w, fmt.trailing); val.popFront(); if (val.empty) break; put(w, f.sep); } else { val.popFront(); if (val.empty) break; put(w, fmt.trailing); } } } else throw new Exception(text("Incorrect format specifier for range: %", f.spec)); } // character formatting with ecaping private void formatChar(Writer)(Writer w, in dchar c, in char quote) { import std.uni : isGraphical; if (std.uni.isGraphical(c)) { if (c == quote || c == '\\') put(w, '\\'), put(w, c); else put(w, c); } else if (c <= 0xFF) { put(w, '\\'); switch (c) { case '\0': put(w, '0'); break; case '\a': put(w, 'a'); break; case '\b': put(w, 'b'); break; case '\f': put(w, 'f'); break; case '\n': put(w, 'n'); break; case '\r': put(w, 'r'); break; case '\t': put(w, 't'); break; case '\v': put(w, 'v'); break; default: formattedWrite(w, "x%02X", cast(uint)c); } } else if (c <= 0xFFFF) formattedWrite(w, "\\u%04X", cast(uint)c); else formattedWrite(w, "\\U%08X", cast(uint)c); } // undocumented // string elements are formatted like UTF-8 string literals. void formatElement(Writer, T, Char)(Writer w, T val, ref FormatSpec!Char f) if (is(StringTypeOf!T) && !is(T == enum)) { StringTypeOf!T str = val; // bug 8015 if (f.spec == 's') { try { // ignore other specifications and quote auto app = appender!(typeof(val[0])[])(); put(app, '\"'); for (size_t i = 0; i < str.length; ) { auto c = std.utf.decode(str, i); // \uFFFE and \uFFFF are considered valid by isValidDchar, // so need checking for interchange. if (c == 0xFFFE || c == 0xFFFF) goto LinvalidSeq; formatChar(app, c, '"'); } put(app, '\"'); put(w, app.data); return; } catch (UTFException) { } // If val contains invalid UTF sequence, formatted like HexString literal LinvalidSeq: static if (is(typeof(str[0]) : const(char))) { enum postfix = 'c'; alias const(ubyte)[] IntArr; } else static if (is(typeof(str[0]) : const(wchar))) { enum postfix = 'w'; alias const(ushort)[] IntArr; } else static if (is(typeof(str[0]) : const(dchar))) { enum postfix = 'd'; alias const(uint)[] IntArr; } formattedWrite(w, "x\"%(%02X %)\"%s", cast(IntArr)str, postfix); } else formatValue(w, str, f); } unittest { // Test for bug 8015 import std.typecons; struct MyStruct { string str; @property string toStr() { return str; } alias toStr this; } Tuple!(MyStruct) t; } // undocumented // character elements are formatted like UTF-8 character literals. void formatElement(Writer, T, Char)(Writer w, T val, ref FormatSpec!Char f) if (is(CharTypeOf!T) && !is(T == enum)) { if (f.spec == 's') { put(w, '\''); formatChar(w, val, '\''); put(w, '\''); } else formatValue(w, val, f); } // undocumented // Maybe T is noncopyable struct, so receive it by 'auto ref'. void formatElement(Writer, T, Char)(Writer w, auto ref T val, ref FormatSpec!Char f) if (!is(StringTypeOf!T) && !is(CharTypeOf!T) || is(T == enum)) { formatValue(w, val, f); } /** Associative arrays are formatted by using $(D ':') and $(D ", ") as separators, and enclosed by $(D '[') and $(D ']'). */ void formatValue(Writer, T, Char)(Writer w, T obj, ref FormatSpec!Char f) if (is(AssocArrayTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { AssocArrayTypeOf!T val = obj; enforceFmt(f.spec == 's' || f.spec == '(', "associative"); enum const(Char)[] defSpec = "%s" ~ f.keySeparator ~ "%s" ~ f.seqSeparator; auto fmtSpec = f.spec == '(' ? f.nested : defSpec; size_t i = 0, end = val.length; if (f.spec == 's') put(w, f.seqBefore); foreach (k, ref v; val) { auto fmt = FormatSpec!Char(fmtSpec); fmt.writeUpToNextSpec(w); if (f.flDash) { formatValue(w, k, fmt); fmt.writeUpToNextSpec(w); formatValue(w, v, fmt); } else { formatElement(w, k, fmt); fmt.writeUpToNextSpec(w); formatElement(w, v, fmt); } if (f.sep) { fmt.writeUpToNextSpec(w); if (++i != end) put(w, f.sep); } else { if (++i != end) fmt.writeUpToNextSpec(w); } } if (f.spec == 's') put(w, f.seqAfter); } unittest { int[string] aa0; formatTest( aa0, `[]` ); // elements escaping formatTest( ["aaa":1, "bbb":2], [`["aaa":1, "bbb":2]`, `["bbb":2, "aaa":1]`] ); formatTest( ['c':"str"], `['c':"str"]` ); formatTest( ['"':"\"", '\'':"'"], [`['"':"\"", '\'':"'"]`, `['\'':"'", '"':"\""]`] ); // range formatting for AA auto aa3 = [1:"hello", 2:"world"]; // escape formatTest( "{%(%s:%s $ %)}", aa3, [`{1:"hello" $ 2:"world"}`, `{2:"world" $ 1:"hello"}`]); // use range formatting for key and value, and use %| formatTest( "{%([%04d->%(%c.%)]%| $ %)}", aa3, [`{[0001->h.e.l.l.o] $ [0002->w.o.r.l.d]}`, `{[0002->w.o.r.l.d] $ [0001->h.e.l.l.o]}`] ); } unittest { class C1 { int[char] val; alias val this; this(int[char] v){ val = v; } } class C2 { int[char] val; alias val this; this(int[char] v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(['c':1, 'd':2]), [`['c':1, 'd':2]`, `['d':2, 'c':1]`] ); formatTest( new C2(['c':1, 'd':2]), "C" ); struct S1 { int[char] val; alias val this; } struct S2 { int[char] val; alias val this; string toString() const { return "S"; } } formatTest( S1(['c':1, 'd':2]), [`['c':1, 'd':2]`, `['d':2, 'c':1]`] ); formatTest( S2(['c':1, 'd':2]), "S" ); } template hasToString(T, Char) { static if(isPointer!T && !isAggregateType!T) { // X* does not have toString, even if X is aggregate type has toString. enum hasToString = 0; } else static if (is(typeof({ T val = void; FormatSpec!Char f; val.toString((const(char)[] s){}, f); }))) { enum hasToString = 4; } else static if (is(typeof({ T val = void; val.toString((const(char)[] s){}, "%s"); }))) { enum hasToString = 3; } else static if (is(typeof({ T val = void; val.toString((const(char)[] s){}); }))) { enum hasToString = 2; } else static if (is(typeof({ T val = void; return val.toString(); }()) S) && isSomeString!S) { enum hasToString = 1; } else { enum hasToString = 0; } } // object formatting with toString private void formatObject(Writer, T, Char)(ref Writer w, ref T val, ref FormatSpec!Char f) if (hasToString!(T, Char)) { static if (is(typeof(val.toString((const(char)[] s){}, f)))) { val.toString((const(char)[] s) { put(w, s); }, f); } else static if (is(typeof(val.toString((const(char)[] s){}, "%s")))) { val.toString((const(char)[] s) { put(w, s); }, f.getCurFmtStr()); } else static if (is(typeof(val.toString((const(char)[] s){})))) { val.toString((const(char)[] s) { put(w, s); }); } else static if (is(typeof(val.toString()) S) && isSomeString!S) { put(w, val.toString()); } else static assert(0); } void enforceValidFormatSpec(T, Char)(ref FormatSpec!Char f) { static if (!isInputRange!T && hasToString!(T, Char) != 4) { enforceFmt(f.spec == 's', "Expected '%s' format specifier for type '" ~ T.stringof ~ "'"); } } unittest { static interface IF1 { } class CIF1 : IF1 { } static struct SF1 { } static union UF1 { } static class CF1 { } static interface IF2 { string toString(); } static class CIF2 : IF2 { override string toString() { return ""; } } static struct SF2 { string toString() { return ""; } } static union UF2 { string toString() { return ""; } } static class CF2 { override string toString() { return ""; } } static interface IK1 { void toString(scope void delegate(const(char)[]) sink, FormatSpec!char) const; } static class CIK1 : IK1 { override void toString(scope void delegate(const(char)[]) sink, FormatSpec!char) const { sink("CIK1"); } } static struct KS1 { void toString(scope void delegate(const(char)[]) sink, FormatSpec!char) const { sink("KS1"); } } static union KU1 { void toString(scope void delegate(const(char)[]) sink, FormatSpec!char) const { sink("KU1"); } } static class KC1 { void toString(scope void delegate(const(char)[]) sink, FormatSpec!char) const { sink("KC1"); } } IF1 cif1 = new CIF1; assertThrown!FormatException(format("%f", cif1)); assertThrown!FormatException(format("%f", SF1())); assertThrown!FormatException(format("%f", UF1())); assertThrown!FormatException(format("%f", new CF1())); IF2 cif2 = new CIF2; assertThrown!FormatException(format("%f", cif2)); assertThrown!FormatException(format("%f", SF2())); assertThrown!FormatException(format("%f", UF2())); assertThrown!FormatException(format("%f", new CF2())); IK1 cik1 = new CIK1; assert(format("%f", cik1) == "CIK1"); assert(format("%f", KS1()) == "KS1"); assert(format("%f", KU1()) == "KU1"); assert(format("%f", new KC1()) == "KC1"); } /** Aggregates ($(D struct), $(D union), $(D class), and $(D interface)) are basically formatted by calling $(D toString). $(D toString) should have one of the following signatures: --- const void toString(scope void delegate(const(char)[]) sink, FormatSpec fmt); const void toString(scope void delegate(const(char)[]) sink, string fmt); const void toString(scope void delegate(const(char)[]) sink); const string toString(); --- For the class objects which have input range interface, $(UL $(LI If the instance $(D toString) has overridden $(D Object.toString), it is used.) $(LI Otherwise, the objects are formatted as input range.)) For the struct and union objects which does not have $(D toString), $(UL $(LI If they have range interface, formatted as input range.) $(LI Otherwise, they are formatted like $(D Type(field1, filed2, ...)).)) Otherwise, are formatted just as their type name. */ void formatValue(Writer, T, Char)(Writer w, T val, ref FormatSpec!Char f) if (is(T == class) && !is(T == enum)) { enforceValidFormatSpec!(T, Char)(f); // TODO: Change this once toString() works for shared objects. static assert(!is(T == shared), "unable to format shared objects"); if (val is null) put(w, "null"); else { static if (hasToString!(T, Char) > 1 || (!isInputRange!T && !is(BuiltinTypeOf!T))) { formatObject!(Writer, T, Char)(w, val, f); } else { //string delegate() dg = &val.toString; Object o = val; // workaround string delegate() dg = &o.toString; if (dg.funcptr != &Object.toString) // toString is overridden { formatObject(w, val, f); } else static if (isInputRange!T) { formatRange(w, val, f); } else static if (is(BuiltinTypeOf!T X)) { X x = val; formatValue(w, x, f); } else { formatObject(w, val, f); } } } } unittest { // class range (issue 5154) auto c = inputRangeObject([1,2,3,4]); formatTest( c, "[1, 2, 3, 4]" ); assert(c.empty); c = null; formatTest( c, "null" ); } unittest { // 5354 // If the class has both range I/F and custom toString, the use of custom // toString routine is prioritized. // Enable the use of custom toString that gets a sink delegate // for class formatting. enum inputRangeCode = q{ int[] arr; this(int[] a){ arr = a; } @property int front() const { return arr[0]; } @property bool empty() const { return arr.length == 0; } void popFront(){ arr = arr[1..$]; } }; class C1 { mixin(inputRangeCode); void toString(scope void delegate(const(char)[]) dg, ref FormatSpec!char f) const { dg("[012]"); } } class C2 { mixin(inputRangeCode); void toString(scope void delegate(const(char)[]) dg, string f) const { dg("[012]"); } } class C3 { mixin(inputRangeCode); void toString(scope void delegate(const(char)[]) dg) const { dg("[012]"); } } class C4 { mixin(inputRangeCode); override string toString() const { return "[012]"; } } class C5 { mixin(inputRangeCode); } formatTest( new C1([0, 1, 2]), "[012]" ); formatTest( new C2([0, 1, 2]), "[012]" ); formatTest( new C3([0, 1, 2]), "[012]" ); formatTest( new C4([0, 1, 2]), "[012]" ); formatTest( new C5([0, 1, 2]), "[0, 1, 2]" ); } /// ditto void formatValue(Writer, T, Char)(Writer w, T val, ref FormatSpec!Char f) if (is(T == interface) && (hasToString!(T, Char) || !is(BuiltinTypeOf!T)) && !is(T == enum)) { enforceValidFormatSpec!(T, Char)(f); if (val is null) put(w, "null"); else { static if (hasToString!(T, Char)) { formatObject(w, val, f); } else static if (isInputRange!T) { formatRange(w, val, f); } else { formatValue(w, cast(Object)val, f); } } } unittest { // interface InputRange!int i = inputRangeObject([1,2,3,4]); formatTest( i, "[1, 2, 3, 4]" ); assert(i.empty); i = null; formatTest( i, "null" ); // interface (downcast to Object) interface Whatever {} class C : Whatever { override @property string toString() const { return "ab"; } } Whatever val = new C; formatTest( val, "ab" ); } /// ditto // Maybe T is noncopyable struct, so receive it by 'auto ref'. void formatValue(Writer, T, Char)(Writer w, auto ref T val, ref FormatSpec!Char f) if ((is(T == struct) || is(T == union)) && (hasToString!(T, Char) || !is(BuiltinTypeOf!T)) && !is(T == enum)) { enforceValidFormatSpec!(T, Char)(f); static if (hasToString!(T, Char)) { formatObject(w, val, f); } else static if (isInputRange!T) { formatRange(w, val, f); } else static if (is(T == struct)) { enum left = T.stringof~"("; enum separator = ", "; enum right = ")"; put(w, left); foreach (i, e; val.tupleof) { static if (0 < i && val.tupleof[i-1].offsetof == val.tupleof[i].offsetof) { static if (i == val.tupleof.length - 1 || val.tupleof[i].offsetof != val.tupleof[i+1].offsetof) put(w, separator~val.tupleof[i].stringof[4..$]~"}"); else put(w, separator~val.tupleof[i].stringof[4..$]); } else { static if (i+1 < val.tupleof.length && val.tupleof[i].offsetof == val.tupleof[i+1].offsetof) put(w, (i > 0 ? separator : "")~"#{overlap "~val.tupleof[i].stringof[4..$]); else { static if (i > 0) put(w, separator); formatElement(w, e, f); } } } put(w, right); } else { put(w, T.stringof); } } unittest { // bug 4638 struct U8 { string toString() const { return "blah"; } } struct U16 { wstring toString() const { return "blah"; } } struct U32 { dstring toString() const { return "blah"; } } formatTest( U8(), "blah" ); formatTest( U16(), "blah" ); formatTest( U32(), "blah" ); } unittest { // 3890 struct Int{ int n; } struct Pair{ string s; Int i; } formatTest( Pair("hello", Int(5)), `Pair("hello", Int(5))` ); } unittest { // union formatting without toString union U1 { int n; string s; } U1 u1; formatTest( u1, "U1" ); // union formatting with toString union U2 { int n; string s; string toString() const { return s; } } U2 u2; u2.s = "hello"; formatTest( u2, "hello" ); } unittest { // 7230 static struct Bug7230 { string s = "hello"; union { string a; int b; double c; } long x = 10; } Bug7230 bug; bug.b = 123; FormatSpec!char f; auto w = appender!(char[])(); formatValue(w, bug, f); assert(w.data == `Bug7230("hello", #{overlap a, b, c}, 10)`); } unittest { static struct S{ @disable this(this); } S s; FormatSpec!char f; auto w = appender!string(); formatValue(w, s, f); assert(w.data == "S()"); } /** $(D enum) is formatted like its base value. */ void formatValue(Writer, T, Char)(Writer w, T val, ref FormatSpec!Char f) if (is(T == enum)) { if (f.spec == 's') { foreach (i, e; EnumMembers!T) { if (val == e) { formatValue(w, __traits(allMembers, T)[i], f); return; } } // val is not a member of T, output cast(T)rawValue instead. put(w, "cast(" ~ T.stringof ~ ")"); static assert(!is(OriginalType!T == T)); } formatValue(w, cast(OriginalType!T)val, f); } unittest { enum A { first, second, third } formatTest( A.second, "second" ); formatTest( cast(A)72, "cast(A)72" ); } unittest { enum A : string { one = "uno", two = "dos", three = "tres" } formatTest( A.three, "three" ); formatTest( cast(A)"mill\&oacute;n", "cast(A)mill\&oacute;n" ); } unittest { enum A : bool { no, yes } formatTest( A.yes, "yes" ); formatTest( A.no, "no" ); } unittest { // Test for bug 6892 enum Foo { A = 10 } formatTest("%s", Foo.A, "A"); formatTest(">%4s<", Foo.A, "> A<"); formatTest("%04d", Foo.A, "0010"); formatTest("%+2u", Foo.A, "+10"); formatTest("%02x", Foo.A, "0a"); formatTest("%3o", Foo.A, " 12"); formatTest("%b", Foo.A, "1010"); } /** Pointers are formatted as hex integers. */ void formatValue(Writer, T, Char)(Writer w, T val, ref FormatSpec!Char f) if (isPointer!T && !is(T == enum) && !hasToString!(T, Char)) { if (val is null) put(w, "null"); else { static if (isInputRange!T) { formatRange(w, *val, f); } else { const p = val; const pnum = ()@trusted{ return cast(ulong) p; }(); if (f.spec == 's') { FormatSpec!Char fs = f; // fs is copy for change its values. fs.spec = 'X'; formatValue(w, pnum, fs); } else { enforceFmt(f.spec == 'X' || f.spec == 'x', "Expected one of %s, %x or %X for pointer type."); formatValue(w, pnum, f); } } } } @safe pure unittest { // pointer auto r = retro([1,2,3,4]); auto p = ()@trusted{ auto p = &r; return p; }(); formatTest( p, "[4, 3, 2, 1]" ); assert(p.empty); p = null; formatTest( p, "null" ); auto q = ()@trusted{ return cast(void*)0xFFEECCAA; }(); formatTest( q, "FFEECCAA" ); } unittest { // Test for issue 7869 struct S { string toString() const { return ""; } } S* p = null; formatTest( p, "null" ); S* q = cast(S*)0xFFEECCAA; formatTest( q, "FFEECCAA" ); } unittest { // Test for issue 8186 class B { int*a; this(){ a = new int; } alias a this; } formatTest( B.init, "null" ); } unittest { // Test for issue 9336 shared int i; format("%s", &i); } /** Delegates are formatted by 'Attributes ReturnType delegate(Parameters)' */ void formatValue(Writer, T, Char)(Writer w, T val, ref FormatSpec!Char f) if (is(T == delegate) && !is(T == enum) && !hasToString!(T, Char)) { alias FA = FunctionAttribute; if (functionAttributes!T & FA.pure_) formatValue(w, "pure ", f); if (functionAttributes!T & FA.nothrow_) formatValue(w, "nothrow ", f); if (functionAttributes!T & FA.ref_) formatValue(w, "ref ", f); if (functionAttributes!T & FA.property) formatValue(w, "@property ", f); if (functionAttributes!T & FA.trusted) formatValue(w, "@trusted ", f); if (functionAttributes!T & FA.safe) formatValue(w, "@safe ", f); formatValue(w, ReturnType!T.stringof, f); formatValue(w, " delegate", f); formatValue(w, ParameterTypeTuple!T.stringof, f); } unittest { void func() {} formatTest( &func, "void delegate()" ); } /* Formatting a $(D typedef) is deprecated but still kept around for a while. */ void formatValue(Writer, T, Char)(Writer w, T val, ref FormatSpec!Char f) if (is(T == typedef)) { static if (is(T U == typedef)) { formatValue(w, cast(U) val, f); } } /* Formats an object of type 'D' according to 'f' and writes it to 'w'. The pointer 'arg' is assumed to point to an object of type 'D'. The untyped signature is for the sake of taking this function's address. */ private void formatGeneric(Writer, D, Char)(Writer w, const(void)* arg, ref FormatSpec!Char f) { formatValue(w, *cast(D*) arg, f); } private void formatNth(Writer, Char, A...)(Writer w, ref FormatSpec!Char f, size_t index, A args) { static string gencode(size_t count)() { string result; foreach (n; 0 .. count) { auto num = to!string(n); result ~= "case "~num~":"~ " formatValue(w, args["~num~"], f);"~ " break;"; } return result; } switch (index) { mixin(gencode!(A.length)()); default: assert(0, "n = "~cast(char)(index + '0')); } } unittest { int[] a = [ 1, 3, 2 ]; formatTest( "testing %(%s & %) embedded", a, "testing 1 & 3 & 2 embedded"); formatTest( "testing %((%s) %)) wyda3", a, "testing (1) (3) (2) wyda3" ); int[0] empt = []; formatTest( "(%s)", empt, "([])" ); } //------------------------------------------------------------------------------ // Fix for issue 1591 private int getNthInt(A...)(uint index, A args) { static if (A.length) { if (index) { return getNthInt(index - 1, args[1 .. $]); } static if (isIntegral!(typeof(args[0]))) { return to!int(args[0]); } else { throw new FormatException("int expected"); } } else { throw new FormatException("int expected"); } } /* ======================== Unit Tests ====================================== */ version(unittest) void formatTest(T)(T val, string expected, size_t ln = __LINE__, string fn = __FILE__) { FormatSpec!char f; auto w = appender!string(); formatValue(w, val, f); enforceEx!AssertError( w.data == expected, text("expected = `", expected, "`, result = `", w.data, "`"), fn, ln); } version(unittest) void formatTest(T)(string fmt, T val, string expected, size_t ln = __LINE__, string fn = __FILE__) { auto w = appender!string(); formattedWrite(w, fmt, val); enforceEx!AssertError( w.data == expected, text("expected = `", expected, "`, result = `", w.data, "`"), fn, ln); } version(unittest) void formatTest(T)(T val, string[] expected, size_t ln = __LINE__, string fn = __FILE__) { FormatSpec!char f; auto w = appender!string(); formatValue(w, val, f); foreach(cur; expected) { if(w.data == cur) return; } enforceEx!AssertError( false, text("expected one of `", expected, "`, result = `", w.data, "`"), fn, ln); } version(unittest) void formatTest(T)(string fmt, T val, string[] expected, size_t ln = __LINE__, string fn = __FILE__) { auto w = appender!string(); formattedWrite(w, fmt, val); foreach(cur; expected) { if(w.data == cur) return; } enforceEx!AssertError( false, text("expected one of `", expected, "`, result = `", w.data, "`"), fn, ln); } unittest { auto stream = appender!string(); formattedWrite(stream, "%s", 1.1); assert(stream.data == "1.1", stream.data); stream = appender!string(); formattedWrite(stream, "%s", map!"a*a"([2, 3, 5])); assert(stream.data == "[4, 9, 25]", stream.data); // Test shared data. stream = appender!string(); shared int s = 6; formattedWrite(stream, "%s", s); assert(stream.data == "6"); } unittest { auto stream = appender!string(); formattedWrite(stream, "%u", 42); assert(stream.data == "42", stream.data); } unittest { // testing raw writes auto w = appender!(char[])(); uint a = 0x02030405; formattedWrite(w, "%+r", a); assert(w.data.length == 4 && w.data[0] == 2 && w.data[1] == 3 && w.data[2] == 4 && w.data[3] == 5); w.clear(); formattedWrite(w, "%-r", a); assert(w.data.length == 4 && w.data[0] == 5 && w.data[1] == 4 && w.data[2] == 3 && w.data[3] == 2); } unittest { // testing positional parameters auto w = appender!(char[])(); formattedWrite(w, "Numbers %2$s and %1$s are reversed and %1$s%2$s repeated", 42, 0); assert(w.data == "Numbers 0 and 42 are reversed and 420 repeated", w.data); w.clear(); formattedWrite(w, "asd%s", 23); assert(w.data == "asd23", w.data); w.clear(); formattedWrite(w, "%s%s", 23, 45); assert(w.data == "2345", w.data); } unittest { debug(format) printf("std.format.format.unittest\n"); auto stream = appender!(char[])(); //goto here; formattedWrite(stream, "hello world! %s %s ", true, 57, 1_000_000_000, 'x', " foo"); assert(stream.data == "hello world! true 57 ", stream.data); stream.clear(); formattedWrite(stream, "%g %A %s", 1.67, -1.28, float.nan); // std.c.stdio.fwrite(stream.data.ptr, stream.data.length, 1, stderr); /* The host C library is used to format floats. C99 doesn't * specify what the hex digit before the decimal point is for * %A. */ version (linux) { assert(stream.data == "1.67 -0X1.47AE147AE147BP+0 nan", stream.data); } else version (OSX) { assert(stream.data == "1.67 -0X1.47AE147AE147BP+0 nan", stream.data); } else version (MinGW) { assert(stream.data == "1.67 -0XA.3D70A3D70A3D8P-3 nan", stream.data); } else { assert(stream.data == "1.67 -0X1.47AE147AE147BP+0 nan", stream.data); } stream.clear(); formattedWrite(stream, "%x %X", 0x1234AF, 0xAFAFAFAF); assert(stream.data == "1234af AFAFAFAF"); stream.clear(); formattedWrite(stream, "%b %o", 0x1234AF, 0xAFAFAFAF); assert(stream.data == "100100011010010101111 25753727657"); stream.clear(); formattedWrite(stream, "%d %s", 0x1234AF, 0xAFAFAFAF); assert(stream.data == "1193135 2947526575"); stream.clear(); // formattedWrite(stream, "%s", 1.2 + 3.4i); // assert(stream.data == "1.2+3.4i"); // stream.clear(); formattedWrite(stream, "%a %A", 1.32, 6.78f); //formattedWrite(stream, "%x %X", 1.32); assert(stream.data == "0x1.51eb851eb851fp+0 0X1.B1EB86P+2"); stream.clear(); formattedWrite(stream, "%#06.*f",2,12.345); assert(stream.data == "012.35"); stream.clear(); formattedWrite(stream, "%#0*.*f",6,2,12.345); assert(stream.data == "012.35"); stream.clear(); const real constreal = 1; formattedWrite(stream, "%g",constreal); assert(stream.data == "1"); stream.clear(); formattedWrite(stream, "%7.4g:", 12.678); assert(stream.data == " 12.68:"); stream.clear(); formattedWrite(stream, "%7.4g:", 12.678L); assert(stream.data == " 12.68:"); stream.clear(); formattedWrite(stream, "%04f|%05d|%#05x|%#5x",-4.0,-10,1,1); assert(stream.data == "-4.000000|-0010|0x001| 0x1", stream.data); stream.clear(); int i; string s; i = -10; formattedWrite(stream, "%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(stream.data == "-10|-10|-10|-10|-10.0000"); stream.clear(); i = -5; formattedWrite(stream, "%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(stream.data == "-5| -5|-05|-5|-5.0000"); stream.clear(); i = 0; formattedWrite(stream, "%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(stream.data == "0| 0|000|0|0.0000"); stream.clear(); i = 5; formattedWrite(stream, "%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(stream.data == "5| 5|005|5|5.0000"); stream.clear(); i = 10; formattedWrite(stream, "%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(stream.data == "10| 10|010|10|10.0000"); stream.clear(); formattedWrite(stream, "%.0d", 0); assert(stream.data == ""); stream.clear(); formattedWrite(stream, "%.g", .34); assert(stream.data == "0.3"); stream.clear(); stream.clear(); formattedWrite(stream, "%.0g", .34); assert(stream.data == "0.3"); stream.clear(); formattedWrite(stream, "%.2g", .34); assert(stream.data == "0.34"); stream.clear(); formattedWrite(stream, "%0.0008f", 1e-08); assert(stream.data == "0.00000001"); stream.clear(); formattedWrite(stream, "%0.0008f", 1e-05); assert(stream.data == "0.00001000"); //return; //std.c.stdio.fwrite(stream.data.ptr, stream.data.length, 1, stderr); s = "helloworld"; string r; stream.clear(); formattedWrite(stream, "%.2s", s[0..5]); assert(stream.data == "he"); stream.clear(); formattedWrite(stream, "%.20s", s[0..5]); assert(stream.data == "hello"); stream.clear(); formattedWrite(stream, "%8s", s[0..5]); assert(stream.data == " hello"); byte[] arrbyte = new byte[4]; arrbyte[0] = 100; arrbyte[1] = -99; arrbyte[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrbyte); assert(stream.data == "[100, -99, 0, 0]", stream.data); ubyte[] arrubyte = new ubyte[4]; arrubyte[0] = 100; arrubyte[1] = 200; arrubyte[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrubyte); assert(stream.data == "[100, 200, 0, 0]", stream.data); short[] arrshort = new short[4]; arrshort[0] = 100; arrshort[1] = -999; arrshort[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrshort); assert(stream.data == "[100, -999, 0, 0]"); stream.clear(); formattedWrite(stream, "%s",arrshort); assert(stream.data == "[100, -999, 0, 0]"); ushort[] arrushort = new ushort[4]; arrushort[0] = 100; arrushort[1] = 20_000; arrushort[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrushort); assert(stream.data == "[100, 20000, 0, 0]"); int[] arrint = new int[4]; arrint[0] = 100; arrint[1] = -999; arrint[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrint); assert(stream.data == "[100, -999, 0, 0]"); stream.clear(); formattedWrite(stream, "%s",arrint); assert(stream.data == "[100, -999, 0, 0]"); long[] arrlong = new long[4]; arrlong[0] = 100; arrlong[1] = -999; arrlong[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrlong); assert(stream.data == "[100, -999, 0, 0]"); stream.clear(); formattedWrite(stream, "%s",arrlong); assert(stream.data == "[100, -999, 0, 0]"); ulong[] arrulong = new ulong[4]; arrulong[0] = 100; arrulong[1] = 999; arrulong[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrulong); assert(stream.data == "[100, 999, 0, 0]"); string[] arr2 = new string[4]; arr2[0] = "hello"; arr2[1] = "world"; arr2[3] = "foo"; stream.clear(); formattedWrite(stream, "%s", arr2); assert(stream.data == `["hello", "world", "", "foo"]`, stream.data); stream.clear(); formattedWrite(stream, "%.8d", 7); assert(stream.data == "00000007"); stream.clear(); formattedWrite(stream, "%.8x", 10); assert(stream.data == "0000000a"); stream.clear(); formattedWrite(stream, "%-3d", 7); assert(stream.data == "7 "); stream.clear(); formattedWrite(stream, "%*d", -3, 7); assert(stream.data == "7 "); stream.clear(); formattedWrite(stream, "%.*d", -3, 7); //writeln(stream.data); assert(stream.data == "7"); // assert(false); // typedef int myint; // myint m = -7; // stream.clear(); formattedWrite(stream, "", m); // assert(stream.data == "-7"); stream.clear(); formattedWrite(stream, "%s", "abc"c); assert(stream.data == "abc"); stream.clear(); formattedWrite(stream, "%s", "def"w); assert(stream.data == "def", text(stream.data.length)); stream.clear(); formattedWrite(stream, "%s", "ghi"d); assert(stream.data == "ghi"); here: void* p = cast(void*)0xDEADBEEF; stream.clear(); formattedWrite(stream, "%s", p); assert(stream.data == "DEADBEEF", stream.data); stream.clear(); formattedWrite(stream, "%#x", 0xabcd); assert(stream.data == "0xabcd"); stream.clear(); formattedWrite(stream, "%#X", 0xABCD); assert(stream.data == "0XABCD"); stream.clear(); formattedWrite(stream, "%#o", octal!12345); assert(stream.data == "012345"); stream.clear(); formattedWrite(stream, "%o", 9); assert(stream.data == "11"); stream.clear(); formattedWrite(stream, "%+d", 123); assert(stream.data == "+123"); stream.clear(); formattedWrite(stream, "%+d", -123); assert(stream.data == "-123"); stream.clear(); formattedWrite(stream, "% d", 123); assert(stream.data == " 123"); stream.clear(); formattedWrite(stream, "% d", -123); assert(stream.data == "-123"); stream.clear(); formattedWrite(stream, "%%"); assert(stream.data == "%"); stream.clear(); formattedWrite(stream, "%d", true); assert(stream.data == "1"); stream.clear(); formattedWrite(stream, "%d", false); assert(stream.data == "0"); stream.clear(); formattedWrite(stream, "%d", 'a'); assert(stream.data == "97", stream.data); wchar wc = 'a'; stream.clear(); formattedWrite(stream, "%d", wc); assert(stream.data == "97"); dchar dc = 'a'; stream.clear(); formattedWrite(stream, "%d", dc); assert(stream.data == "97"); byte b = byte.max; stream.clear(); formattedWrite(stream, "%x", b); assert(stream.data == "7f"); stream.clear(); formattedWrite(stream, "%x", ++b); assert(stream.data == "80"); stream.clear(); formattedWrite(stream, "%x", ++b); assert(stream.data == "81"); short sh = short.max; stream.clear(); formattedWrite(stream, "%x", sh); assert(stream.data == "7fff"); stream.clear(); formattedWrite(stream, "%x", ++sh); assert(stream.data == "8000"); stream.clear(); formattedWrite(stream, "%x", ++sh); assert(stream.data == "8001"); i = int.max; stream.clear(); formattedWrite(stream, "%x", i); assert(stream.data == "7fffffff"); stream.clear(); formattedWrite(stream, "%x", ++i); assert(stream.data == "80000000"); stream.clear(); formattedWrite(stream, "%x", ++i); assert(stream.data == "80000001"); stream.clear(); formattedWrite(stream, "%x", 10); assert(stream.data == "a"); stream.clear(); formattedWrite(stream, "%X", 10); assert(stream.data == "A"); stream.clear(); formattedWrite(stream, "%x", 15); assert(stream.data == "f"); stream.clear(); formattedWrite(stream, "%X", 15); assert(stream.data == "F"); Object c = null; stream.clear(); formattedWrite(stream, "%s", c); assert(stream.data == "null"); enum TestEnum { Value1, Value2 } stream.clear(); formattedWrite(stream, "%s", TestEnum.Value2); assert(stream.data == "Value2", stream.data); stream.clear(); formattedWrite(stream, "%s", cast(TestEnum)5); assert(stream.data == "cast(TestEnum)5", stream.data); //immutable(char[5])[int] aa = ([3:"hello", 4:"betty"]); //stream.clear(); formattedWrite(stream, "%s", aa.values); //std.c.stdio.fwrite(stream.data.ptr, stream.data.length, 1, stderr); //assert(stream.data == "[[h,e,l,l,o],[b,e,t,t,y]]"); //stream.clear(); formattedWrite(stream, "%s", aa); //assert(stream.data == "[3:[h,e,l,l,o],4:[b,e,t,t,y]]"); static const dchar[] ds = ['a','b']; for (int j = 0; j < ds.length; ++j) { stream.clear(); formattedWrite(stream, " %d", ds[j]); if (j == 0) assert(stream.data == " 97"); else assert(stream.data == " 98"); } stream.clear(); formattedWrite(stream, "%.-3d", 7); assert(stream.data == "7", ">" ~ stream.data ~ "<"); // systematic test const string[] flags = [ "-", "+", "#", "0", " ", "" ]; const string[] widths = [ "", "0", "4", "20" ]; const string[] precs = [ "", ".", ".0", ".4", ".20" ]; const string formats = "sdoxXeEfFgGaA"; /+ foreach (flag1; flags) foreach (flag2; flags) foreach (flag3; flags) foreach (flag4; flags) foreach (flag5; flags) foreach (width; widths) foreach (prec; precs) foreach (format; formats) { stream.clear(); auto fmt = "%" ~ flag1 ~ flag2 ~ flag3 ~ flag4 ~ flag5 ~ width ~ prec ~ format ~ '\0'; fmt = fmt[0 .. $ - 1]; // keep it zero-term char buf[256]; buf[0] = 0; switch (format) { case 's': formattedWrite(stream, fmt, "wyda"); snprintf(buf.ptr, buf.length, fmt.ptr, "wyda\0".ptr); break; case 'd': formattedWrite(stream, fmt, 456); snprintf(buf.ptr, buf.length, fmt.ptr, 456); break; case 'o': formattedWrite(stream, fmt, 345); snprintf(buf.ptr, buf.length, fmt.ptr, 345); break; case 'x': formattedWrite(stream, fmt, 63546); snprintf(buf.ptr, buf.length, fmt.ptr, 63546); break; case 'X': formattedWrite(stream, fmt, 12566); snprintf(buf.ptr, buf.length, fmt.ptr, 12566); break; case 'e': formattedWrite(stream, fmt, 3245.345234); snprintf(buf.ptr, buf.length, fmt.ptr, 3245.345234); break; case 'E': formattedWrite(stream, fmt, 3245.2345234); snprintf(buf.ptr, buf.length, fmt.ptr, 3245.2345234); break; case 'f': formattedWrite(stream, fmt, 3245234.645675); snprintf(buf.ptr, buf.length, fmt.ptr, 3245234.645675); break; case 'F': formattedWrite(stream, fmt, 213412.43); snprintf(buf.ptr, buf.length, fmt.ptr, 213412.43); break; case 'g': formattedWrite(stream, fmt, 234134.34); snprintf(buf.ptr, buf.length, fmt.ptr, 234134.34); break; case 'G': formattedWrite(stream, fmt, 23141234.4321); snprintf(buf.ptr, buf.length, fmt.ptr, 23141234.4321); break; case 'a': formattedWrite(stream, fmt, 21341234.2134123); snprintf(buf.ptr, buf.length, fmt.ptr, 21341234.2134123); break; case 'A': formattedWrite(stream, fmt, 1092384098.45234); snprintf(buf.ptr, buf.length, fmt.ptr, 1092384098.45234); break; default: break; } auto exp = buf[0 .. strlen(buf.ptr)]; if (stream.data != exp) { writeln("Format: \"", fmt, '"'); writeln("Expected: >", exp, "<"); writeln("Actual: >", stream.data, "<"); assert(false); } }+/ } unittest { immutable(char[5])[int] aa = ([3:"hello", 4:"betty"]); if (false) writeln(aa.keys); assert(aa[3] == "hello"); assert(aa[4] == "betty"); // if (false) // { // writeln(aa.values[0]); // writeln(aa.values[1]); // writefln("%s", typeid(typeof(aa.values))); // writefln("%s", aa[3]); // writefln("%s", aa[4]); // writefln("%s", aa.values); // //writefln("%s", aa); // wstring a = "abcd"; // writefln(a); // dstring b = "abcd"; // writefln(b); // } auto stream = appender!(char[])(); alias TypeTuple!(byte, ubyte, short, ushort, int, uint, long, ulong, float, double, real) AllNumerics; foreach (T; AllNumerics) { T value = 1; stream.clear(); formattedWrite(stream, "%s", value); assert(stream.data == "1"); } //auto r = std.string.format("%s", aa.values); stream.clear(); formattedWrite(stream, "%s", aa); //assert(stream.data == "[3:[h,e,l,l,o],4:[b,e,t,t,y]]", stream.data); // r = std.string.format("%s", aa); // assert(r == "[3:[h,e,l,l,o],4:[b,e,t,t,y]]"); } unittest { string s = "hello!124:34.5"; string a; int b; double c; formattedRead(s, "%s!%s:%s", &a, &b, &c); assert(a == "hello" && b == 124 && c == 34.5); } version(unittest) void formatReflectTest(T)(ref T val, string fmt, string formatted, string fn = __FILE__, size_t ln = __LINE__) { auto w = appender!string(); formattedWrite(w, fmt, val); auto input = w.data; enforceEx!AssertError( input == formatted, input, fn, ln); T val2; formattedRead(input, fmt, &val2); static if (isAssociativeArray!T) if (__ctfe) { alias val aa1; alias val2 aa2; //assert(aa1 == aa2); assert(aa1.length == aa2.length); assert(aa1.keys == aa2.keys); //assert(aa1.values == aa2.values); assert(aa1.values.length == aa2.values.length); foreach (i; 0 .. aa1.values.length) assert(aa1.values[i] == aa2.values[i]); //foreach (i, key; aa1.keys) // assert(aa1.values[i] == aa1[key]); //foreach (i, key; aa2.keys) // assert(aa2.values[i] == aa2[key]); return; } enforceEx!AssertError( val == val2, input, fn, ln); } version(unittest) void formatReflectTest(T)(ref T val, string fmt, string[] formatted, string fn = __FILE__, size_t ln = __LINE__) { auto w = appender!string(); formattedWrite(w, fmt, val); auto input = w.data; foreach(cur; formatted) { if(input == cur) return; } enforceEx!AssertError( false, input, fn, ln); T val2; formattedRead(input, fmt, &val2); static if (isAssociativeArray!T) if (__ctfe) { alias val aa1; alias val2 aa2; //assert(aa1 == aa2); assert(aa1.length == aa2.length); assert(aa1.keys == aa2.keys); //assert(aa1.values == aa2.values); assert(aa1.values.length == aa2.values.length); foreach (i; 0 .. aa1.values.length) assert(aa1.values[i] == aa2.values[i]); //foreach (i, key; aa1.keys) // assert(aa1.values[i] == aa1[key]); //foreach (i, key; aa2.keys) // assert(aa2.values[i] == aa2[key]); return; } enforceEx!AssertError( val == val2, input, fn, ln); } unittest { void booleanTest() { auto b = true; formatReflectTest(b, "%s", `true`); formatReflectTest(b, "%b", `1`); formatReflectTest(b, "%o", `1`); formatReflectTest(b, "%d", `1`); formatReflectTest(b, "%u", `1`); formatReflectTest(b, "%x", `1`); } void integerTest() { auto n = 127; formatReflectTest(n, "%s", `127`); formatReflectTest(n, "%b", `1111111`); formatReflectTest(n, "%o", `177`); formatReflectTest(n, "%d", `127`); formatReflectTest(n, "%u", `127`); formatReflectTest(n, "%x", `7f`); } void floatingTest() { auto f = 3.14; formatReflectTest(f, "%s", `3.14`); version (MinGW) formatReflectTest(f, "%e", `3.140000e+000`); else formatReflectTest(f, "%e", `3.140000e+00`); formatReflectTest(f, "%f", `3.140000`); formatReflectTest(f, "%g", `3.14`); } void charTest() { auto c = 'a'; formatReflectTest(c, "%s", `a`); formatReflectTest(c, "%c", `a`); formatReflectTest(c, "%b", `1100001`); formatReflectTest(c, "%o", `141`); formatReflectTest(c, "%d", `97`); formatReflectTest(c, "%u", `97`); formatReflectTest(c, "%x", `61`); } void strTest() { auto s = "hello"; formatReflectTest(s, "%s", `hello`); formatReflectTest(s, "%(%c,%)", `h,e,l,l,o`); formatReflectTest(s, "%(%s,%)", `'h','e','l','l','o'`); formatReflectTest(s, "[%(<%c>%| $ %)]", `[<h> $ <e> $ <l> $ <l> $ <o>]`); } void daTest() { auto a = [1,2,3,4]; formatReflectTest(a, "%s", `[1, 2, 3, 4]`); formatReflectTest(a, "[%(%s; %)]", `[1; 2; 3; 4]`); formatReflectTest(a, "[%(<%s>%| $ %)]", `[<1> $ <2> $ <3> $ <4>]`); } void saTest() { int[4] sa = [1,2,3,4]; formatReflectTest(sa, "%s", `[1, 2, 3, 4]`); formatReflectTest(sa, "[%(%s; %)]", `[1; 2; 3; 4]`); formatReflectTest(sa, "[%(<%s>%| $ %)]", `[<1> $ <2> $ <3> $ <4>]`); } void aaTest() { auto aa = [1:"hello", 2:"world"]; formatReflectTest(aa, "%s", [`[1:"hello", 2:"world"]`, `[2:"world", 1:"hello"]`]); formatReflectTest(aa, "[%(%s->%s, %)]", [`[1->"hello", 2->"world"]`, `[2->"world", 1->"hello"]`]); formatReflectTest(aa, "{%([%s=%(%c%)]%|; %)}", [`{[1=hello]; [2=world]}`, `{[2=world]; [1=hello]}`]); } import std.exception; assertCTFEable!( { booleanTest(); integerTest(); if (!__ctfe) floatingTest(); // snprintf charTest(); strTest(); daTest(); saTest(); aaTest(); return true; }); } //------------------------------------------------------------------------------ private void skipData(Range, Char)(ref Range input, ref FormatSpec!Char spec) { switch (spec.spec) { case 'c': input.popFront(); break; case 'd': if (input.front == '+' || input.front == '-') input.popFront(); goto case 'u'; case 'u': while (!input.empty && isDigit(input.front)) input.popFront(); break; default: assert(false, text("Format specifier not understood: %", spec.spec)); } } private template acceptedSpecs(T) { static if (isIntegral!T) enum acceptedSpecs = "bdosuxX"; else static if (isFloatingPoint!T) enum acceptedSpecs = "seEfgG"; else static if (isSomeChar!T) enum acceptedSpecs = "bcdosuxX"; // integral + 'c' else enum acceptedSpecs = ""; } /** * Reads a boolean value and returns it. */ T unformatValue(T, Range, Char)(ref Range input, ref FormatSpec!Char spec) if (isInputRange!Range && is(Unqual!T == bool)) { if (spec.spec == 's') { return parse!T(input); } enforce(std.algorithm.find(acceptedSpecs!long, spec.spec).length, text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); return unformatValue!long(input, spec) != 0; } unittest { string line; bool f1; line = "true"; formattedRead(line, "%s", &f1); assert(f1); line = "TrUE"; formattedRead(line, "%s", &f1); assert(f1); line = "false"; formattedRead(line, "%s", &f1); assert(!f1); line = "fALsE"; formattedRead(line, "%s", &f1); assert(!f1); line = "1"; formattedRead(line, "%d", &f1); assert(f1); line = "-1"; formattedRead(line, "%d", &f1); assert(f1); line = "0"; formattedRead(line, "%d", &f1); assert(!f1); line = "-0"; formattedRead(line, "%d", &f1); assert(!f1); } /** * Reads null literal and returns it. */ T unformatValue(T, Range, Char)(ref Range input, ref FormatSpec!Char spec) if (isInputRange!Range && is(T == typeof(null))) { enforce(spec.spec == 's', text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); return parse!T(input); } /** Reads an integral value and returns it. */ T unformatValue(T, Range, Char)(ref Range input, ref FormatSpec!Char spec) if (isInputRange!Range && isIntegral!T && !is(T == enum)) { enforce(std.algorithm.find(acceptedSpecs!T, spec.spec).length, text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); enforce(spec.width == 0); // TODO uint base = spec.spec == 'x' || spec.spec == 'X' ? 16 : spec.spec == 'o' ? 8 : spec.spec == 'b' ? 2 : spec.spec == 's' || spec.spec == 'd' || spec.spec == 'u' ? 10 : 0; assert(base != 0); return parse!T(input, base); } /** Reads a floating-point value and returns it. */ T unformatValue(T, Range, Char)(ref Range input, ref FormatSpec!Char spec) if (isFloatingPoint!T && !is(T == enum)) { if (spec.spec == 'r') { // raw read //enforce(input.length >= T.sizeof); enforce(isSomeString!Range || ElementType!(Range).sizeof == 1); union X { ubyte[T.sizeof] raw; T typed; } X x; foreach (i; 0 .. T.sizeof) { static if (isSomeString!Range) { x.raw[i] = input[0]; input = input[1 .. $]; } else { // TODO: recheck this x.raw[i] = cast(ubyte) input.front; input.popFront(); } } return x.typed; } enforce(std.algorithm.find(acceptedSpecs!T, spec.spec).length, text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); return parse!T(input); } version(none)unittest { union A { char[float.sizeof] untyped; float typed; } A a; a.typed = 5.5; char[] input = a.untyped[]; float witness; formattedRead(input, "%r", &witness); assert(witness == a.typed); } unittest { char[] line = "1 2".dup; int a, b; formattedRead(line, "%s %s", &a, &b); assert(a == 1 && b == 2); line = "10 2 3".dup; formattedRead(line, "%d ", &a); assert(a == 10); assert(line == "2 3"); Tuple!(int, float) t; line = "1 2.125".dup; formattedRead(line, "%d %g", &t); assert(t[0] == 1 && t[1] == 2.125); line = "1 7643 2.125".dup; formattedRead(line, "%s %*u %s", &t); assert(t[0] == 1 && t[1] == 2.125); } /** * Reads one character and returns it. */ T unformatValue(T, Range, Char)(ref Range input, ref FormatSpec!Char spec) if (isInputRange!Range && isSomeChar!T && !is(T == enum)) { if (spec.spec == 's' || spec.spec == 'c') { auto result = to!T(input.front); input.popFront(); return result; } enforce(std.algorithm.find(acceptedSpecs!T, spec.spec).length, text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); static if (T.sizeof == 1) return unformatValue!ubyte(input, spec); else static if (T.sizeof == 2) return unformatValue!ushort(input, spec); else static if (T.sizeof == 4) return unformatValue!uint(input, spec); else static assert(0); } unittest { string line; char c1, c2; line = "abc"; formattedRead(line, "%s%c", &c1, &c2); assert(c1 == 'a' && c2 == 'b'); assert(line == "c"); } /** Reads a string and returns it. */ T unformatValue(T, Range, Char)(ref Range input, ref FormatSpec!Char spec) if (isInputRange!Range && isSomeString!T && !is(T == enum)) { if (spec.spec == '(') { return unformatRange!T(input, spec); } enforce(spec.spec == 's', text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); static if (isStaticArray!T) { T result; auto app = result[]; } else auto app = appender!T(); if (spec.trailing.empty) { for (; !input.empty; input.popFront()) { static if (isStaticArray!T) if (app.empty) break; app.put(input.front); } } else { auto end = spec.trailing.front; for (; !input.empty && input.front != end; input.popFront()) { static if (isStaticArray!T) if (app.empty) break; app.put(input.front); } } static if (isStaticArray!T) { enforce(app.empty, "need more input"); return result; } else return app.data; } unittest { string line; string s1, s2; line = "hello, world"; formattedRead(line, "%s", &s1); assert(s1 == "hello, world", s1); line = "hello, world;yah"; formattedRead(line, "%s;%s", &s1, &s2); assert(s1 == "hello, world", s1); assert(s2 == "yah", s2); line = `['h','e','l','l','o']`; string s3; formattedRead(line, "[%(%s,%)]", &s3); assert(s3 == "hello"); line = `"hello"`; string s4; formattedRead(line, "\"%(%c%)\"", &s4); assert(s4 == "hello"); } /** Reads an array (except for string types) and returns it. */ T unformatValue(T, Range, Char)(ref Range input, ref FormatSpec!Char spec) if (isInputRange!Range && isArray!T && !isSomeString!T && !is(T == enum)) { if (spec.spec == '(') { return unformatRange!T(input, spec); } enforce(spec.spec == 's', text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); return parse!T(input); } unittest { string line; line = "[1,2,3]"; int[] s1; formattedRead(line, "%s", &s1); assert(s1 == [1,2,3]); } unittest { string line; line = "[1,2,3]"; int[] s1; formattedRead(line, "[%(%s,%)]", &s1); assert(s1 == [1,2,3]); line = `["hello", "world"]`; string[] s2; formattedRead(line, "[%(%s, %)]", &s2); assert(s2 == ["hello", "world"]); line = "123 456"; int[] s3; formattedRead(line, "%(%s %)", &s3); assert(s3 == [123, 456]); line = "h,e,l,l,o; w,o,r,l,d"; string[] s4; formattedRead(line, "%(%(%c,%); %)", &s4); assert(s4 == ["hello", "world"]); } unittest { string line; int[4] sa1; line = `[1,2,3,4]`; formattedRead(line, "%s", &sa1); assert(sa1 == [1,2,3,4]); int[4] sa2; line = `[1,2,3]`; assertThrown(formattedRead(line, "%s", &sa2)); int[4] sa3; line = `[1,2,3,4,5]`; assertThrown(formattedRead(line, "%s", &sa3)); } unittest { string input; int[4] sa1; input = `[1,2,3,4]`; formattedRead(input, "[%(%s,%)]", &sa1); assert(sa1 == [1,2,3,4]); int[4] sa2; input = `[1,2,3]`; assertThrown(formattedRead(input, "[%(%s,%)]", &sa2)); } unittest { // 7241 string input = "a"; auto spec = FormatSpec!char("%s"); spec.readUpToNextSpec(input); auto result = unformatValue!(dchar[1])(input, spec); assert(result[0] == 'a'); } /** * Reads an associative array and returns it. */ T unformatValue(T, Range, Char)(ref Range input, ref FormatSpec!Char spec) if (isInputRange!Range && isAssociativeArray!T && !is(T == enum)) { if (spec.spec == '(') { return unformatRange!T(input, spec); } enforce(spec.spec == 's', text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); return parse!T(input); } unittest { string line; string[int] aa1; line = `[1:"hello", 2:"world"]`; formattedRead(line, "%s", &aa1); assert(aa1 == [1:"hello", 2:"world"]); int[string] aa2; line = `{"hello"=1; "world"=2}`; formattedRead(line, "{%(%s=%s; %)}", &aa2); assert(aa2 == ["hello":1, "world":2]); int[string] aa3; line = `{[hello=1]; [world=2]}`; formattedRead(line, "{%([%(%c%)=%s]%|; %)}", &aa3); assert(aa3 == ["hello":1, "world":2]); } //debug = unformatRange; private T unformatRange(T, Range, Char)(ref Range input, ref FormatSpec!Char spec) in { assert(spec.spec == '('); } body { debug (unformatRange) printf("unformatRange:\n"); T result; static if (isStaticArray!T) { size_t i; } const(Char)[] cont = spec.trailing; for (size_t j = 0; j < spec.trailing.length; ++j) { if (spec.trailing[j] == '%') { cont = spec.trailing[0 .. j]; break; } } debug (unformatRange) printf("\t"); debug (unformatRange) if (!input.empty) printf("input.front = %c, ", input.front); debug (unformatRange) printf("cont = %.*s\n", cont); bool checkEnd() { return input.empty || !cont.empty && input.front == cont.front; } if (!checkEnd()) { for (;;) { auto fmt = FormatSpec!Char(spec.nested); fmt.readUpToNextSpec(input); enforce(!input.empty); debug (unformatRange) printf("\t) spec = %c, front = %c ", fmt.spec, input.front); static if (isStaticArray!T) { result[i++] = unformatElement!(typeof(T.init[0]))(input, fmt); } else static if (isDynamicArray!T) { result ~= unformatElement!(ElementType!T)(input, fmt); } else static if (isAssociativeArray!T) { auto key = unformatElement!(typeof(T.keys[0]))(input, fmt); fmt.readUpToNextSpec(input); // eat key separator result[key] = unformatElement!(typeof(T.values[0]))(input, fmt); } debug (unformatRange) { if (input.empty) printf("-> front = [empty] "); else printf("-> front = %c ", input.front); } static if (isStaticArray!T) { debug (unformatRange) printf("i = %u < %u\n", i, T.length); enforce(i <= T.length); } auto sep = spec.sep ? fmt.readUpToNextSpec(input), spec.sep : fmt.trailing; debug (unformatRange) { if (!sep.empty && !input.empty) printf("-> %c, sep = %.*s\n", input.front, sep); else printf("\n"); } if (checkEnd()) break; if (!sep.empty && input.front == sep.front) { while (!sep.empty) { enforce(!input.empty); enforce(input.front == sep.front); input.popFront(); sep.popFront(); } debug (unformatRange) printf("input.front = %c\n", input.front); } } } static if (isStaticArray!T) { enforce(i == T.length); } return result; } // Undocumented T unformatElement(T, Range, Char)(ref Range input, ref FormatSpec!Char spec) if (isInputRange!Range) { static if (isSomeString!T) { if (spec.spec == 's') { return parseElement!T(input); } } else static if (isSomeChar!T) { if (spec.spec == 's') { return parseElement!T(input); } } return unformatValue!T(input, spec); } // Legacy implementation enum Mangle : char { Tvoid = 'v', Tbool = 'b', Tbyte = 'g', Tubyte = 'h', Tshort = 's', Tushort = 't', Tint = 'i', Tuint = 'k', Tlong = 'l', Tulong = 'm', Tfloat = 'f', Tdouble = 'd', Treal = 'e', Tifloat = 'o', Tidouble = 'p', Tireal = 'j', Tcfloat = 'q', Tcdouble = 'r', Tcreal = 'c', Tchar = 'a', Twchar = 'u', Tdchar = 'w', Tarray = 'A', Tsarray = 'G', Taarray = 'H', Tpointer = 'P', Tfunction = 'F', Tident = 'I', Tclass = 'C', Tstruct = 'S', Tenum = 'E', Ttypedef = 'T', Tdelegate = 'D', Tconst = 'x', Timmutable = 'y', } // return the TypeInfo for a primitive type and null otherwise. This // is required since for arrays of ints we only have the mangled char // to work from. If arrays always subclassed TypeInfo_Array this // routine could go away. private TypeInfo primitiveTypeInfo(Mangle m) { // BUG: should fix this in static this() to avoid double checked locking bug __gshared TypeInfo[Mangle] dic; if (!dic.length) { dic = [ Mangle.Tvoid : typeid(void), Mangle.Tbool : typeid(bool), Mangle.Tbyte : typeid(byte), Mangle.Tubyte : typeid(ubyte), Mangle.Tshort : typeid(short), Mangle.Tushort : typeid(ushort), Mangle.Tint : typeid(int), Mangle.Tuint : typeid(uint), Mangle.Tlong : typeid(long), Mangle.Tulong : typeid(ulong), Mangle.Tfloat : typeid(float), Mangle.Tdouble : typeid(double), Mangle.Treal : typeid(real), Mangle.Tifloat : typeid(ifloat), Mangle.Tidouble : typeid(idouble), Mangle.Tireal : typeid(ireal), Mangle.Tcfloat : typeid(cfloat), Mangle.Tcdouble : typeid(cdouble), Mangle.Tcreal : typeid(creal), Mangle.Tchar : typeid(char), Mangle.Twchar : typeid(wchar), Mangle.Tdchar : typeid(dchar) ]; } auto p = m in dic; return p ? *p : null; } // This stuff has been removed from the docs and is planned for deprecation. /* * Interprets variadic argument list pointed to by argptr whose types * are given by arguments[], formats them according to embedded format * strings in the variadic argument list, and sends the resulting * characters to putc. * * The variadic arguments are consumed in order. Each is formatted * into a sequence of chars, using the default format specification * for its type, and the characters are sequentially passed to putc. * If a $(D char[]), $(D wchar[]), or $(D dchar[]) argument is * encountered, it is interpreted as a format string. As many * arguments as specified in the format string are consumed and * formatted according to the format specifications in that string and * passed to putc. If there are too few remaining arguments, a * $(D FormatException) is thrown. If there are more remaining arguments than * needed by the format specification, the default processing of * arguments resumes until they are all consumed. * * Params: * putc = Output is sent do this delegate, character by character. * arguments = Array of $(D TypeInfo)s, one for each argument to be formatted. * argptr = Points to variadic argument list. * * Throws: * Mismatched arguments and formats result in a $(D FormatException) being thrown. * * Format_String: * <a name="format-string">$(I Format strings)</a> * consist of characters interspersed with * $(I format specifications). Characters are simply copied * to the output (such as putc) after any necessary conversion * to the corresponding UTF-8 sequence. * * A $(I format specification) starts with a '%' character, * and has the following grammar: <pre> $(I FormatSpecification): $(B '%%') $(B '%') $(I Flags) $(I Width) $(I Precision) $(I FormatChar) $(I Flags): $(I empty) $(B '-') $(I Flags) $(B '+') $(I Flags) $(B '#') $(I Flags) $(B '0') $(I Flags) $(B ' ') $(I Flags) $(I Width): $(I empty) $(I Integer) $(B '*') $(I Precision): $(I empty) $(B '.') $(B '.') $(I Integer) $(B '.*') $(I Integer): $(I Digit) $(I Digit) $(I Integer) $(I Digit): $(B '0') $(B '1') $(B '2') $(B '3') $(B '4') $(B '5') $(B '6') $(B '7') $(B '8') $(B '9') $(I FormatChar): $(B 's') $(B 'b') $(B 'd') $(B 'o') $(B 'x') $(B 'X') $(B 'e') $(B 'E') $(B 'f') $(B 'F') $(B 'g') $(B 'G') $(B 'a') $(B 'A') </pre> <dl> <dt>$(I Flags) <dl> <dt>$(B '-') <dd> Left justify the result in the field. It overrides any $(B 0) flag. <dt>$(B '+') <dd>Prefix positive numbers in a signed conversion with a $(B +). It overrides any $(I space) flag. <dt>$(B '#') <dd>Use alternative formatting: <dl> <dt>For $(B 'o'): <dd> Add to precision as necessary so that the first digit of the octal formatting is a '0', even if both the argument and the $(I Precision) are zero. <dt> For $(B 'x') ($(B 'X')): <dd> If non-zero, prefix result with $(B 0x) ($(B 0X)). <dt> For floating point formatting: <dd> Always insert the decimal point. <dt> For $(B 'g') ($(B 'G')): <dd> Do not elide trailing zeros. </dl> <dt>$(B '0') <dd> For integer and floating point formatting when not nan or infinity, use leading zeros to pad rather than spaces. Ignore if there's a $(I Precision). <dt>$(B ' ') <dd>Prefix positive numbers in a signed conversion with a space. </dl> <dt>$(I Width) <dd> Specifies the minimum field width. If the width is a $(B *), the next argument, which must be of type $(B int), is taken as the width. If the width is negative, it is as if the $(B -) was given as a $(I Flags) character. <dt>$(I Precision) <dd> Gives the precision for numeric conversions. If the precision is a $(B *), the next argument, which must be of type $(B int), is taken as the precision. If it is negative, it is as if there was no $(I Precision). <dt>$(I FormatChar) <dd> <dl> <dt>$(B 's') <dd>The corresponding argument is formatted in a manner consistent with its type: <dl> <dt>$(B bool) <dd>The result is <tt>'true'</tt> or <tt>'false'</tt>. <dt>integral types <dd>The $(B %d) format is used. <dt>floating point types <dd>The $(B %g) format is used. <dt>string types <dd>The result is the string converted to UTF-8. A $(I Precision) specifies the maximum number of characters to use in the result. <dt>classes derived from $(B Object) <dd>The result is the string returned from the class instance's $(B .toString()) method. A $(I Precision) specifies the maximum number of characters to use in the result. <dt>non-string static and dynamic arrays <dd>The result is [s<sub>0</sub>, s<sub>1</sub>, ...] where s<sub>k</sub> is the kth element formatted with the default format. </dl> <dt>$(B 'b','d','o','x','X') <dd> The corresponding argument must be an integral type and is formatted as an integer. If the argument is a signed type and the $(I FormatChar) is $(B d) it is converted to a signed string of characters, otherwise it is treated as unsigned. An argument of type $(B bool) is formatted as '1' or '0'. The base used is binary for $(B b), octal for $(B o), decimal for $(B d), and hexadecimal for $(B x) or $(B X). $(B x) formats using lower case letters, $(B X) uppercase. If there are fewer resulting digits than the $(I Precision), leading zeros are used as necessary. If the $(I Precision) is 0 and the number is 0, no digits result. <dt>$(B 'e','E') <dd> A floating point number is formatted as one digit before the decimal point, $(I Precision) digits after, the $(I FormatChar), &plusmn;, followed by at least a two digit exponent: $(I d.dddddd)e$(I &plusmn;dd). If there is no $(I Precision), six digits are generated after the decimal point. If the $(I Precision) is 0, no decimal point is generated. <dt>$(B 'f','F') <dd> A floating point number is formatted in decimal notation. The $(I Precision) specifies the number of digits generated after the decimal point. It defaults to six. At least one digit is generated before the decimal point. If the $(I Precision) is zero, no decimal point is generated. <dt>$(B 'g','G') <dd> A floating point number is formatted in either $(B e) or $(B f) format for $(B g); $(B E) or $(B F) format for $(B G). The $(B f) format is used if the exponent for an $(B e) format is greater than -5 and less than the $(I Precision). The $(I Precision) specifies the number of significant digits, and defaults to six. Trailing zeros are elided after the decimal point, if the fractional part is zero then no decimal point is generated. <dt>$(B 'a','A') <dd> A floating point number is formatted in hexadecimal exponential notation 0x$(I h.hhhhhh)p$(I &plusmn;d). There is one hexadecimal digit before the decimal point, and as many after as specified by the $(I Precision). If the $(I Precision) is zero, no decimal point is generated. If there is no $(I Precision), as many hexadecimal digits as necessary to exactly represent the mantissa are generated. The exponent is written in as few digits as possible, but at least one, is in decimal, and represents a power of 2 as in $(I h.hhhhhh)*2<sup>$(I &plusmn;d)</sup>. The exponent for zero is zero. The hexadecimal digits, x and p are in upper case if the $(I FormatChar) is upper case. </dl> Floating point NaN's are formatted as $(B nan) if the $(I FormatChar) is lower case, or $(B NAN) if upper. Floating point infinities are formatted as $(B inf) or $(B infinity) if the $(I FormatChar) is lower case, or $(B INF) or $(B INFINITY) if upper. </dl> Example: ------------------------- import std.c.stdio; import std.format; void myPrint(...) { void putc(char c) { fputc(c, stdout); } std.format.doFormat(&putc, _arguments, _argptr); } ... int x = 27; // prints 'The answer is 27:6' myPrint("The answer is %s:", x, 6); ------------------------ */ void doFormat(void delegate(dchar) putc, TypeInfo[] arguments, va_list argptr) { TypeInfo ti; Mangle m; uint flags; int field_width; int precision; enum : uint { FLdash = 1, FLplus = 2, FLspace = 4, FLhash = 8, FLlngdbl = 0x20, FL0pad = 0x40, FLprecision = 0x80, } static TypeInfo skipCI(TypeInfo valti) { for (;;) { if (valti.classinfo.name.length == 18 && valti.classinfo.name[9..18] == "Invariant") valti = (cast(TypeInfo_Invariant)valti).next; else if (valti.classinfo.name.length == 14 && valti.classinfo.name[9..14] == "Const") valti = (cast(TypeInfo_Const)valti).next; else break; } return valti; } void formatArg(char fc) { bool vbit; ulong vnumber; char vchar; dchar vdchar; Object vobject; real vreal; creal vcreal; Mangle m2; int signed = 0; uint base = 10; int uc; char[ulong.sizeof * 8] tmpbuf; // long enough to print long in binary const(char)* prefix = ""; string s; void putstr(const char[] s) { //printf("putstr: s = %.*s, flags = x%x\n", s.length, s.ptr, flags); ptrdiff_t padding = field_width - (strlen(prefix) + toUCSindex(s, s.length)); ptrdiff_t prepad = 0; ptrdiff_t postpad = 0; if (padding > 0) { if (flags & FLdash) postpad = padding; else prepad = padding; } if (flags & FL0pad) { while (*prefix) putc(*prefix++); while (prepad--) putc('0'); } else { while (prepad--) putc(' '); while (*prefix) putc(*prefix++); } foreach (dchar c; s) putc(c); while (postpad--) putc(' '); } void putreal(real v) { //printf("putreal %Lg\n", vreal); switch (fc) { case 's': fc = 'g'; break; case 'f', 'F', 'e', 'E', 'g', 'G', 'a', 'A': break; default: //printf("fc = '%c'\n", fc); Lerror: throw new FormatException("floating"); } version (DigitalMarsC) { uint sl; char[] fbuf = tmpbuf; if (!(flags & FLprecision)) precision = 6; while (1) { sl = fbuf.length; prefix = (*__pfloatfmt)(fc, flags | FLlngdbl, precision, &v, cast(char*)fbuf, &sl, field_width); if (sl != -1) break; sl = fbuf.length * 2; fbuf = (cast(char*)alloca(sl * char.sizeof))[0 .. sl]; } putstr(fbuf[0 .. sl]); } else { ptrdiff_t sl; char[] fbuf = tmpbuf; char[12] format; format[0] = '%'; int i = 1; if (flags & FLdash) format[i++] = '-'; if (flags & FLplus) format[i++] = '+'; if (flags & FLspace) format[i++] = ' '; if (flags & FLhash) format[i++] = '#'; if (flags & FL0pad) format[i++] = '0'; format[i + 0] = '*'; format[i + 1] = '.'; format[i + 2] = '*'; format[i + 3] = 'L'; format[i + 4] = fc; format[i + 5] = 0; if (!(flags & FLprecision)) precision = -1; while (1) { sl = fbuf.length; int n; version (Win64) { if(isnan(v)) // snprintf writes 1.#QNAN n = snprintf(fbuf.ptr, sl, "nan"); else n = snprintf(fbuf.ptr, sl, format.ptr, field_width, precision, cast(double)v); } else n = snprintf(fbuf.ptr, sl, format.ptr, field_width, precision, v); //printf("format = '%s', n = %d\n", cast(char*)format, n); if (n >= 0 && n < sl) { sl = n; break; } if (n < 0) sl = sl * 2; else sl = n + 1; fbuf = (cast(char*)alloca(sl * char.sizeof))[0 .. sl]; } putstr(fbuf[0 .. sl]); } return; } static Mangle getMan(TypeInfo ti) { auto m = cast(Mangle)ti.classinfo.name[9]; if (ti.classinfo.name.length == 20 && ti.classinfo.name[9..20] == "StaticArray") m = cast(Mangle)'G'; return m; } /* p = pointer to the first element in the array * len = number of elements in the array * valti = type of the elements */ void putArray(void* p, size_t len, TypeInfo valti) { //printf("\nputArray(len = %u), tsize = %u\n", len, valti.tsize); putc('['); valti = skipCI(valti); size_t tsize = valti.tsize; auto argptrSave = argptr; auto tiSave = ti; auto mSave = m; ti = valti; //printf("\n%.*s\n", valti.classinfo.name.length, valti.classinfo.name.ptr); m = getMan(valti); while (len--) { //doFormat(putc, (&valti)[0 .. 1], p); version (Win64) { void* q = void; if (tsize > 8 && m != Mangle.Tsarray) { q = p; argptr = &q; } else argptr = p; formatArg('s'); p += tsize; } else { version (X86) argptr = p; else version(X86_64) { __va_list va; va.stack_args = p; argptr = &va; } else static assert(false, "unsupported platform"); formatArg('s'); p += tsize; } if (len > 0) putc(','); } m = mSave; ti = tiSave; argptr = argptrSave; putc(']'); } void putAArray(ubyte[long] vaa, TypeInfo valti, TypeInfo keyti) { putc('['); bool comma=false; auto argptrSave = argptr; auto tiSave = ti; auto mSave = m; valti = skipCI(valti); keyti = skipCI(keyti); foreach(ref fakevalue; vaa) { if (comma) putc(','); comma = true; void *pkey = &fakevalue; version (D_LP64) pkey -= (long.sizeof + 15) & ~(15); else pkey -= (long.sizeof + size_t.sizeof - 1) & ~(size_t.sizeof - 1); // the key comes before the value auto keysize = keyti.tsize; version (D_LP64) auto keysizet = (keysize + 15) & ~(15); else auto keysizet = (keysize + size_t.sizeof - 1) & ~(size_t.sizeof - 1); void* pvalue = pkey + keysizet; //doFormat(putc, (&keyti)[0..1], pkey); m = getMan(keyti); version (X86) argptr = pkey; else version (Win64) { void* q = void; if (keysize > 8 && m != Mangle.Tsarray) { q = pkey; argptr = &q; } else argptr = pkey; } else version (X86_64) { __va_list va; va.stack_args = pkey; argptr = &va; } else static assert(false, "unsupported platform"); ti = keyti; formatArg('s'); putc(':'); //doFormat(putc, (&valti)[0..1], pvalue); m = getMan(valti); version (X86) argptr = pvalue; else version (Win64) { void* q2 = void; auto valuesize = valti.tsize; if (valuesize > 8 && m != Mangle.Tsarray) { q2 = pvalue; argptr = &q2; } else argptr = pvalue; } else version (X86_64) { __va_list va2; va2.stack_args = pvalue; argptr = &va2; } else static assert(false, "unsupported platform"); ti = valti; formatArg('s'); } m = mSave; ti = tiSave; argptr = argptrSave; putc(']'); } //printf("formatArg(fc = '%c', m = '%c')\n", fc, m); switch (m) { case Mangle.Tbool: vbit = va_arg!(bool)(argptr); if (fc != 's') { vnumber = vbit; goto Lnumber; } putstr(vbit ? "true" : "false"); return; case Mangle.Tchar: vchar = va_arg!(char)(argptr); if (fc != 's') { vnumber = vchar; goto Lnumber; } L2: putstr((&vchar)[0 .. 1]); return; case Mangle.Twchar: vdchar = va_arg!(wchar)(argptr); goto L1; case Mangle.Tdchar: vdchar = va_arg!(dchar)(argptr); L1: if (fc != 's') { vnumber = vdchar; goto Lnumber; } if (vdchar <= 0x7F) { vchar = cast(char)vdchar; goto L2; } else { if (!isValidDchar(vdchar)) throw new UTFException("invalid dchar in format"); char[4] vbuf; putstr(toUTF8(vbuf, vdchar)); } return; case Mangle.Tbyte: signed = 1; vnumber = va_arg!(byte)(argptr); goto Lnumber; case Mangle.Tubyte: vnumber = va_arg!(ubyte)(argptr); goto Lnumber; case Mangle.Tshort: signed = 1; vnumber = va_arg!(short)(argptr); goto Lnumber; case Mangle.Tushort: vnumber = va_arg!(ushort)(argptr); goto Lnumber; case Mangle.Tint: signed = 1; vnumber = va_arg!(int)(argptr); goto Lnumber; case Mangle.Tuint: Luint: vnumber = va_arg!(uint)(argptr); goto Lnumber; case Mangle.Tlong: signed = 1; vnumber = cast(ulong)va_arg!(long)(argptr); goto Lnumber; case Mangle.Tulong: Lulong: vnumber = va_arg!(ulong)(argptr); goto Lnumber; case Mangle.Tclass: vobject = va_arg!(Object)(argptr); if (vobject is null) s = "null"; else s = vobject.toString(); goto Lputstr; case Mangle.Tpointer: vnumber = cast(ulong)va_arg!(void*)(argptr); if (fc != 'x') uc = 1; flags |= FL0pad; if (!(flags & FLprecision)) { flags |= FLprecision; precision = (void*).sizeof; } base = 16; goto Lnumber; case Mangle.Tfloat: case Mangle.Tifloat: if (fc == 'x' || fc == 'X') goto Luint; vreal = va_arg!(float)(argptr); goto Lreal; case Mangle.Tdouble: case Mangle.Tidouble: if (fc == 'x' || fc == 'X') goto Lulong; vreal = va_arg!(double)(argptr); goto Lreal; case Mangle.Treal: case Mangle.Tireal: vreal = va_arg!(real)(argptr); goto Lreal; case Mangle.Tcfloat: vcreal = va_arg!(cfloat)(argptr); goto Lcomplex; case Mangle.Tcdouble: vcreal = va_arg!(cdouble)(argptr); goto Lcomplex; case Mangle.Tcreal: vcreal = va_arg!(creal)(argptr); goto Lcomplex; case Mangle.Tsarray: version (X86) putArray(argptr, (cast(TypeInfo_StaticArray)ti).len, (cast(TypeInfo_StaticArray)ti).next); else version (Win64) putArray(argptr, (cast(TypeInfo_StaticArray)ti).len, (cast(TypeInfo_StaticArray)ti).next); else putArray((cast(__va_list*)argptr).stack_args, (cast(TypeInfo_StaticArray)ti).len, (cast(TypeInfo_StaticArray)ti).next); return; case Mangle.Tarray: int mi = 10; if (ti.classinfo.name.length == 14 && ti.classinfo.name[9..14] == "Array") { // array of non-primitive types TypeInfo tn = (cast(TypeInfo_Array)ti).next; tn = skipCI(tn); switch (cast(Mangle)tn.classinfo.name[9]) { case Mangle.Tchar: goto LarrayChar; case Mangle.Twchar: goto LarrayWchar; case Mangle.Tdchar: goto LarrayDchar; default: break; } void[] va = va_arg!(void[])(argptr); putArray(va.ptr, va.length, tn); return; } if (ti.classinfo.name.length == 25 && ti.classinfo.name[9..25] == "AssociativeArray") { // associative array ubyte[long] vaa = va_arg!(ubyte[long])(argptr); putAArray(vaa, (cast(TypeInfo_AssociativeArray)ti).next, (cast(TypeInfo_AssociativeArray)ti).key); return; } while (1) { m2 = cast(Mangle)ti.classinfo.name[mi]; switch (m2) { case Mangle.Tchar: LarrayChar: s = va_arg!(string)(argptr); goto Lputstr; case Mangle.Twchar: LarrayWchar: wchar[] sw = va_arg!(wchar[])(argptr); s = toUTF8(sw); goto Lputstr; case Mangle.Tdchar: LarrayDchar: auto sd = va_arg!(dstring)(argptr); s = toUTF8(sd); Lputstr: if (fc != 's') throw new FormatException("string"); if (flags & FLprecision && precision < s.length) s = s[0 .. precision]; putstr(s); break; case Mangle.Tconst: case Mangle.Timmutable: mi++; continue; default: TypeInfo ti2 = primitiveTypeInfo(m2); if (!ti2) goto Lerror; void[] va = va_arg!(void[])(argptr); putArray(va.ptr, va.length, ti2); } return; } assert(0); case Mangle.Ttypedef: ti = (cast(TypeInfo_Typedef)ti).base; m = cast(Mangle)ti.classinfo.name[9]; formatArg(fc); return; case Mangle.Tenum: ti = (cast(TypeInfo_Enum)ti).base; m = cast(Mangle)ti.classinfo.name[9]; formatArg(fc); return; case Mangle.Tstruct: { TypeInfo_Struct tis = cast(TypeInfo_Struct)ti; if (tis.xtoString is null) throw new FormatException("Can't convert " ~ tis.toString() ~ " to string: \"string toString()\" not defined"); version(X86) { s = tis.xtoString(argptr); argptr += (tis.tsize + 3) & ~3; } else version(Win64) { void* p = argptr; if (tis.tsize > 8) p = *cast(void**)p; s = tis.xtoString(p); argptr += size_t.sizeof; } else version (X86_64) { void[32] parmn = void; // place to copy struct if passed in regs void* p; auto tsize = tis.tsize; TypeInfo arg1, arg2; if (!tis.argTypes(arg1, arg2)) // if could be passed in regs { assert(tsize <= parmn.length); p = parmn.ptr; va_arg(argptr, tis, p); } else { /* Avoid making a copy of the struct; take advantage of * it always being passed in memory */ // The arg may have more strict alignment than the stack auto talign = tis.talign; __va_list* ap = cast(__va_list*)argptr; p = cast(void*)((cast(size_t)ap.stack_args + talign - 1) & ~(talign - 1)); ap.stack_args = cast(void*)(cast(size_t)p + ((tsize + size_t.sizeof - 1) & ~(size_t.sizeof - 1))); } s = tis.xtoString(p); } else static assert(0); goto Lputstr; } default: goto Lerror; } Lnumber: switch (fc) { case 's': case 'd': if (signed) { if (cast(long)vnumber < 0) { prefix = "-"; vnumber = -vnumber; } else if (flags & FLplus) prefix = "+"; else if (flags & FLspace) prefix = " "; } break; case 'b': signed = 0; base = 2; break; case 'o': signed = 0; base = 8; break; case 'X': uc = 1; if (flags & FLhash && vnumber) prefix = "0X"; signed = 0; base = 16; break; case 'x': if (flags & FLhash && vnumber) prefix = "0x"; signed = 0; base = 16; break; default: goto Lerror; } if (!signed) { switch (m) { case Mangle.Tbyte: vnumber &= 0xFF; break; case Mangle.Tshort: vnumber &= 0xFFFF; break; case Mangle.Tint: vnumber &= 0xFFFFFFFF; break; default: break; } } if (flags & FLprecision && fc != 'p') flags &= ~FL0pad; if (vnumber < base) { if (vnumber == 0 && precision == 0 && flags & FLprecision && !(fc == 'o' && flags & FLhash)) { putstr(null); return; } if (precision == 0 || !(flags & FLprecision)) { vchar = cast(char)('0' + vnumber); if (vnumber < 10) vchar = cast(char)('0' + vnumber); else vchar = cast(char)((uc ? 'A' - 10 : 'a' - 10) + vnumber); goto L2; } } ptrdiff_t n = tmpbuf.length; char c; int hexoffset = uc ? ('A' - ('9' + 1)) : ('a' - ('9' + 1)); while (vnumber) { c = cast(char)((vnumber % base) + '0'); if (c > '9') c += hexoffset; vnumber /= base; tmpbuf[--n] = c; } if (tmpbuf.length - n < precision && precision < tmpbuf.length) { ptrdiff_t m = tmpbuf.length - precision; tmpbuf[m .. n] = '0'; n = m; } else if (flags & FLhash && fc == 'o') prefix = "0"; putstr(tmpbuf[n .. tmpbuf.length]); return; Lreal: putreal(vreal); return; Lcomplex: putreal(vcreal.re); if (vcreal.im >= 0) { putc('+'); } putreal(vcreal.im); putc('i'); return; Lerror: throw new FormatException("formatArg"); } for (int j = 0; j < arguments.length; ) { ti = arguments[j++]; //printf("arg[%d]: '%.*s' %d\n", j, ti.classinfo.name.length, ti.classinfo.name.ptr, ti.classinfo.name.length); //ti.print(); flags = 0; precision = 0; field_width = 0; ti = skipCI(ti); int mi = 9; do { if (ti.classinfo.name.length <= mi) goto Lerror; m = cast(Mangle)ti.classinfo.name[mi++]; } while (m == Mangle.Tconst || m == Mangle.Timmutable); if (m == Mangle.Tarray) { if (ti.classinfo.name.length == 14 && ti.classinfo.name[9..14] == "Array") { TypeInfo tn = (cast(TypeInfo_Array)ti).next; tn = skipCI(tn); switch (cast(Mangle)tn.classinfo.name[9]) { case Mangle.Tchar: case Mangle.Twchar: case Mangle.Tdchar: ti = tn; mi = 9; break; default: break; } } L1: Mangle m2 = cast(Mangle)ti.classinfo.name[mi]; string fmt; // format string wstring wfmt; dstring dfmt; /* For performance reasons, this code takes advantage of the * fact that most format strings will be ASCII, and that the * format specifiers are always ASCII. This means we only need * to deal with UTF in a couple of isolated spots. */ switch (m2) { case Mangle.Tchar: fmt = va_arg!(string)(argptr); break; case Mangle.Twchar: wfmt = va_arg!(wstring)(argptr); fmt = toUTF8(wfmt); break; case Mangle.Tdchar: dfmt = va_arg!(dstring)(argptr); fmt = toUTF8(dfmt); break; case Mangle.Tconst: case Mangle.Timmutable: mi++; goto L1; default: formatArg('s'); continue; } for (size_t i = 0; i < fmt.length; ) { dchar c = fmt[i++]; dchar getFmtChar() { // Valid format specifier characters will never be UTF if (i == fmt.length) throw new FormatException("invalid specifier"); return fmt[i++]; } int getFmtInt() { int n; while (1) { n = n * 10 + (c - '0'); if (n < 0) // overflow throw new FormatException("int overflow"); c = getFmtChar(); if (c < '0' || c > '9') break; } return n; } int getFmtStar() { Mangle m; TypeInfo ti; if (j == arguments.length) throw new FormatException("too few arguments"); ti = arguments[j++]; m = cast(Mangle)ti.classinfo.name[9]; if (m != Mangle.Tint) throw new FormatException("int argument expected"); return va_arg!(int)(argptr); } if (c != '%') { if (c > 0x7F) // if UTF sequence { i--; // back up and decode UTF sequence c = std.utf.decode(fmt, i); } Lputc: putc(c); continue; } // Get flags {-+ #} flags = 0; while (1) { c = getFmtChar(); switch (c) { case '-': flags |= FLdash; continue; case '+': flags |= FLplus; continue; case ' ': flags |= FLspace; continue; case '#': flags |= FLhash; continue; case '0': flags |= FL0pad; continue; case '%': if (flags == 0) goto Lputc; break; default: break; } break; } // Get field width field_width = 0; if (c == '*') { field_width = getFmtStar(); if (field_width < 0) { flags |= FLdash; field_width = -field_width; } c = getFmtChar(); } else if (c >= '0' && c <= '9') field_width = getFmtInt(); if (flags & FLplus) flags &= ~FLspace; if (flags & FLdash) flags &= ~FL0pad; // Get precision precision = 0; if (c == '.') { flags |= FLprecision; //flags &= ~FL0pad; c = getFmtChar(); if (c == '*') { precision = getFmtStar(); if (precision < 0) { precision = 0; flags &= ~FLprecision; } c = getFmtChar(); } else if (c >= '0' && c <= '9') precision = getFmtInt(); } if (j == arguments.length) goto Lerror; ti = arguments[j++]; ti = skipCI(ti); mi = 9; do { m = cast(Mangle)ti.classinfo.name[mi++]; } while (m == Mangle.Tconst || m == Mangle.Timmutable); if (c > 0x7F) // if UTF sequence goto Lerror; // format specifiers can't be UTF formatArg(cast(char)c); } } else { formatArg('s'); } } return; Lerror: throw new FormatException(); } /* ======================== Unit Tests ====================================== */ unittest { int i; string s; debug(format) printf("std.format.format.unittest\n"); s = std.string.format("hello world! %s %s %s%s%s", true, 57, 1_000_000_000, 'x', " foo"); assert(s == "hello world! true 57 1000000000x foo"); s = std.string.format("%s %A %s", 1.67, -1.28, float.nan); /* The host C library is used to format floats. * C99 doesn't specify what the hex digit before the decimal point * is for %A. */ //version (linux) // assert(s == "1.67 -0XA.3D70A3D70A3D8P-3 nan"); //else version (OSX) // assert(s == "1.67 -0XA.3D70A3D70A3D8P-3 nan", s); //else version (MinGW) assert(s == "1.67 -0XA.3D70A3D70A3D8P-3 nan", s); else assert(s == "1.67 -0X1.47AE147AE147BP+0 nan", s); s = std.string.format("%x %X", 0x1234AF, 0xAFAFAFAF); assert(s == "1234af AFAFAFAF"); s = std.string.format("%b %o", 0x1234AF, 0xAFAFAFAF); assert(s == "100100011010010101111 25753727657"); s = std.string.format("%d %s", 0x1234AF, 0xAFAFAFAF); assert(s == "1193135 2947526575"); //version(X86_64) //{ // pragma(msg, "several format tests disabled on x86_64 due to bug 5625"); //} //else //{ s = std.string.format("%s", 1.2 + 3.4i); assert(s == "1.2+3.4i", s); //s = std.string.format("%x %X", 1.32, 6.78f); //assert(s == "3ff51eb851eb851f 40D8F5C3"); //} s = std.string.format("%#06.*f",2,12.345); assert(s == "012.35"); s = std.string.format("%#0*.*f",6,2,12.345); assert(s == "012.35"); s = std.string.format("%7.4g:", 12.678); assert(s == " 12.68:"); s = std.string.format("%7.4g:", 12.678L); assert(s == " 12.68:"); s = std.string.format("%04f|%05d|%#05x|%#5x",-4.0,-10,1,1); assert(s == "-4.000000|-0010|0x001| 0x1"); i = -10; s = std.string.format("%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(s == "-10|-10|-10|-10|-10.0000"); i = -5; s = std.string.format("%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(s == "-5| -5|-05|-5|-5.0000"); i = 0; s = std.string.format("%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(s == "0| 0|000|0|0.0000"); i = 5; s = std.string.format("%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(s == "5| 5|005|5|5.0000"); i = 10; s = std.string.format("%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(s == "10| 10|010|10|10.0000"); s = std.string.format("%.0d", 0); assert(s == ""); s = std.string.format("%.g", .34); assert(s == "0.3"); s = std.string.format("%.0g", .34); assert(s == "0.3"); s = std.string.format("%.2g", .34); assert(s == "0.34"); s = std.string.format("%0.0008f", 1e-08); assert(s == "0.00000001"); s = std.string.format("%0.0008f", 1e-05); assert(s == "0.00001000"); s = "helloworld"; string r; r = std.string.format("%.2s", s[0..5]); assert(r == "he"); r = std.string.format("%.20s", s[0..5]); assert(r == "hello"); r = std.string.format("%8s", s[0..5]); assert(r == " hello"); byte[] arrbyte = new byte[4]; arrbyte[0] = 100; arrbyte[1] = -99; arrbyte[3] = 0; r = std.string.format("%s", arrbyte); assert(r == "[100, -99, 0, 0]"); ubyte[] arrubyte = new ubyte[4]; arrubyte[0] = 100; arrubyte[1] = 200; arrubyte[3] = 0; r = std.string.format("%s", arrubyte); assert(r == "[100, 200, 0, 0]"); short[] arrshort = new short[4]; arrshort[0] = 100; arrshort[1] = -999; arrshort[3] = 0; r = std.string.format("%s", arrshort); assert(r == "[100, -999, 0, 0]"); ushort[] arrushort = new ushort[4]; arrushort[0] = 100; arrushort[1] = 20_000; arrushort[3] = 0; r = std.string.format("%s", arrushort); assert(r == "[100, 20000, 0, 0]"); int[] arrint = new int[4]; arrint[0] = 100; arrint[1] = -999; arrint[3] = 0; r = std.string.format("%s", arrint); assert(r == "[100, -999, 0, 0]"); long[] arrlong = new long[4]; arrlong[0] = 100; arrlong[1] = -999; arrlong[3] = 0; r = std.string.format("%s", arrlong); assert(r == "[100, -999, 0, 0]"); ulong[] arrulong = new ulong[4]; arrulong[0] = 100; arrulong[1] = 999; arrulong[3] = 0; r = std.string.format("%s", arrulong); assert(r == "[100, 999, 0, 0]"); string[] arr2 = new string[4]; arr2[0] = "hello"; arr2[1] = "world"; arr2[3] = "foo"; r = std.string.format("%s", arr2); assert(r == `["hello", "world", "", "foo"]`); r = std.string.format("%.8d", 7); assert(r == "00000007"); r = std.string.format("%.8x", 10); assert(r == "0000000a"); r = std.string.format("%-3d", 7); assert(r == "7 "); r = std.string.format("%*d", -3, 7); assert(r == "7 "); r = std.string.format("%.*d", -3, 7); assert(r == "7"); //typedef int myint; //myint m = -7; //r = std.string.format(m); //assert(r == "-7"); r = std.string.format("abc"c); assert(r == "abc"); r = std.string.format("def"w); assert(r == "def"); r = std.string.format("ghi"d); assert(r == "ghi"); void* p = cast(void*)0xDEADBEEF; r = std.string.format("%s", p); assert(r == "DEADBEEF"); r = std.string.format("%#x", 0xabcd); assert(r == "0xabcd"); r = std.string.format("%#X", 0xABCD); assert(r == "0XABCD"); r = std.string.format("%#o", octal!12345); assert(r == "012345"); r = std.string.format("%o", 9); assert(r == "11"); r = std.string.format("%+d", 123); assert(r == "+123"); r = std.string.format("%+d", -123); assert(r == "-123"); r = std.string.format("% d", 123); assert(r == " 123"); r = std.string.format("% d", -123); assert(r == "-123"); r = std.string.format("%%"); assert(r == "%"); r = std.string.format("%d", true); assert(r == "1"); r = std.string.format("%d", false); assert(r == "0"); r = std.string.format("%d", 'a'); assert(r == "97"); wchar wc = 'a'; r = std.string.format("%d", wc); assert(r == "97"); dchar dc = 'a'; r = std.string.format("%d", dc); assert(r == "97"); byte b = byte.max; r = std.string.format("%x", b); assert(r == "7f"); r = std.string.format("%x", ++b); assert(r == "80"); r = std.string.format("%x", ++b); assert(r == "81"); short sh = short.max; r = std.string.format("%x", sh); assert(r == "7fff"); r = std.string.format("%x", ++sh); assert(r == "8000"); r = std.string.format("%x", ++sh); assert(r == "8001"); i = int.max; r = std.string.format("%x", i); assert(r == "7fffffff"); r = std.string.format("%x", ++i); assert(r == "80000000"); r = std.string.format("%x", ++i); assert(r == "80000001"); r = std.string.format("%x", 10); assert(r == "a"); r = std.string.format("%X", 10); assert(r == "A"); r = std.string.format("%x", 15); assert(r == "f"); r = std.string.format("%X", 15); assert(r == "F"); Object c = null; r = std.string.format("%s", c); assert(r == "null"); enum TestEnum { Value1, Value2 } r = std.string.format("%s", TestEnum.Value2); assert(r == "Value2"); immutable(char[5])[int] aa = ([3:"hello", 4:"betty"]); r = std.string.format("%s", aa.values); assert(r == `["hello", "betty"]` || r == `["betty", "hello"]`); r = std.string.format("%s", aa); assert(r == `[3:"hello", 4:"betty"]` || r == `[4:"betty", 3:"hello"]`); static const dchar[] ds = ['a','b']; for (int j = 0; j < ds.length; ++j) { r = std.string.format(" %d", ds[j]); if (j == 0) assert(r == " 97"); else assert(r == " 98"); } r = std.string.format(">%14d<, %s", 15, [1,2,3]); assert(r == "> 15<, [1, 2, 3]"); assert(std.string.format("%8s", "bar") == " bar"); assert(std.string.format("%8s", "b\u00e9ll\u00f4") == " b\u00e9ll\u00f4"); } unittest { // bugzilla 3479 auto stream = appender!(char[])(); formattedWrite(stream, "%2$.*1$d", 12, 10); assert(stream.data == "000000000010", stream.data); } unittest { // bug 6893 enum E : ulong { A, B, C } auto stream = appender!(char[])(); formattedWrite(stream, "%s", E.C); assert(stream.data == "C"); }
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math; void main() { auto nmd = readln.split.to!(long[]); auto n = nmd[0]; auto m = nmd[1]; auto d = nmd[2]; writefln("%0.10f", (n - d) * 2 * (m - 1) / (n ^^ 2).to!double / (d == 0 ? 2 : 1)); }
D
module misanthropyd.core.timestep; /// implements time step struct Timestep { float getSeconds() const nothrow pure @nogc @safe { return time; } float getMilliseconds() const nothrow pure @nogc @safe { return time * 1000.0f; } /// time stored in seconds float time; }
D
instance Mod_4068_UntoterMagier_16_MT (Npc_Default) { //-------- primary data -------- name = "Untoter Magier"; Npctype = Npctype_UNTOTERMAGIER; guild = GIL_STRF; level = 20; voice = 2; id = 4068; //-------- abilities -------- B_SetAttributesToChapter (self, 4); //-------- visuals -------- // animations Mdl_SetVisual (self,"HUMANS.MDS"); Mdl_ApplyOverlayMds (self,"Humans_Relaxed.mds"); // body mesh ,bdytex,skin,head mesh ,headtex,teethtex,ruestung Mdl_SetVisualBody (self,"hum_body_Naked0", 15, 0,"Hum_Head_FatBald", 200, 1, ITAR_UntoterMagier); Mdl_SetModelFatness(self,0); B_SetFightSkills (self, 65); B_CreateAmbientInv (self); fight_tactic = FAI_HUMAN_STRONG; //-------- Talente -------- //-------- inventory -------- //-------------Daily Routine------------- daily_routine = Rtn_start_4068; //------------- //MISSIONs------------- }; FUNC VOID Rtn_start_4068 () { TA_Stand_WP (02,00,08,00,"OW_PATH_3001_05"); TA_Stand_WP (08,00,02,00,"OW_PATH_3001_05"); };
D
import nonsense; // ___ _ // / __|__ _| |_ ___ __ _ ___ _ _ _ _ // | (__/ _` | _/ -_) _` / _ \ '_| || | // \___\__,_|\__\___\__, \___/_| \_, | // |___/ |__/ abstract immutable class Category : ISymbolic { // Checks final bool isObject(immutable CObject obj) immutable { return obj.isIn(this); //meet([this, obj.category()]).isEqual(this); } bool isMorphism(immutable Morphism morph) immutable { return morph.isIn(this); //meet([this, morph.category()]).isEqual(this); } bool isSubCategoryOf(immutable Category cat) immutable; // Other symbolic things string arrow() immutable; string latexArrow(string over = "") immutable; // ISymbolic - I have to add it here again for some reason :( string symbol() immutable; string latex() immutable; ulong toHash() immutable; final bool isEqual(immutable Category s) immutable { return toHash() == s.toHash(); } } ////////////////////////////////////////////////////////////////// // Instantiated categories immutable auto Set = new immutable SetCategory; immutable auto Smooth = Diff(float.infinity); immutable auto Pol = new immutable PolCategory; immutable auto Vec = new immutable VecCategory; /** * Diff does that * Params: * order = order of differentiability */ immutable(DiffCategory) Diff(float order) { return new immutable DiffCategory(order); } // ___ _ // / __| ___| |_ // \__ \/ -_) _| // |___/\___|\__| immutable class SetCategory : Category { override bool isSubCategoryOf(immutable Category cat) immutable{ if(cast(immutable SetCategory)(cat)){ return true; }else{ return false; } } override string arrow() immutable { return "→"; } override string latexArrow(string over = "") immutable { return "\\xrightarrow{" ~ over ~ "} "; } override string symbol() immutable { return "Set"; } override string latex() immutable { return "\\mathbf{Set}"; } override ulong toHash() immutable { import hash; return computeHash("Set", "Category"); } } // ___ _ __ __ // | \(_)/ _|/ _| // | |) | | _| _| // |___/|_|_| |_| immutable class DiffCategory : Category { float ord; this(float _ord) { ord = _ord; } override bool isSubCategoryOf(immutable Category cat) immutable{ if(auto diff = cast(immutable DiffCategory)(cat)){ return order() >= diff.order(); }else{ return Set.isSubCategoryOf(cat); } } override string arrow() immutable { return "↦"; } override string latexArrow(string over = "") immutable { string o = ord == float.infinity ? "\\infty" : to!string(cast(int)(ord)); return format!"\\xmapsto[%s]{%s}"(o, over); } float order() immutable { return ord; } override string symbol() immutable { if (ord == float.infinity) { return "Diff[∞]"; } else { return format!"Diff[%d]"(cast(int) ord); } } override string latex() immutable { import std.conv; string o = ord == float.infinity ? "\\infty" : to!string(cast(int)(ord)); return format!"\\mathbf{Diff}_{%s}"(o); } override ulong toHash() immutable { import hash; return computeHash(ord, "Diff", "Category"); } } // ___ _ // | _ \___| | // | _/ _ \ | // |_| \___/_| immutable class PolCategory : Category { override bool isSubCategoryOf(immutable Category cat) immutable{ if(cast(immutable PolCategory)(cat)){ return true; }else{ return Smooth.isSubCategoryOf(cat); } } override string arrow() immutable { return "↪"; } override string latexArrow(string over = "") immutable { import std.conv; return format!"\\xhookrightarrow[]{%s}"(over); } override string symbol() immutable { return "Pol"; } override string latex() immutable { return "\\mathbf{Pol}"; } override ulong toHash() immutable { import hash; return computeHash("Pol", "Category"); } } // __ __ // \ \ / /__ __ // \ V / -_) _| // \_/\___\__| immutable class VecCategory : Category { override bool isSubCategoryOf(immutable Category cat) immutable{ if(cast(immutable VecCategory)(cat)){ return true; }else{ return Pol.isSubCategoryOf(cat); } } override string arrow() immutable { return "⇀"; } override string latexArrow(string over = "") immutable { import std.conv; return format!"\\xrightharpoonup[]{%s}"(over); } override string symbol() immutable { return "Vec"; } override string latex() immutable { return "\\mathbf{Vec}"; } override ulong toHash() immutable { import hash; return computeHash("Vec", "Category"); } }
D
module org.serviio.restlet.RestletServer; import java.lang.String; import java.util.Collections; import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.Map:Entry; import org.restlet.Application; import org.restlet.Component; import org.restlet.Context; import org.restlet.Restlet; import org.restlet.Server; import org.restlet.data.Protocol; import org.restlet.engine.Engine; import org.restlet.engine.converter.ConverterHelper; import org.restlet.ext.gson.GsonConverter; import org.restlet.routing.VirtualHost; import org.restlet.service.RangeService; import org.restlet.util.Series; import org.restlet.util.ServerList; import org.serviio.ui.ApiRestletApplication; import org.serviio.upnp.service.contentdirectory.rest.ContentDirectoryRestletApplication; import org.serviio.upnp.webserver.WebServer; import org.serviio.util.ObjectValidator; import org.slf4j.Logger; import org.slf4j.LoggerFactory; public class RestletServer { private static Logger log; private static Component apiComponent; private static Component cdsComponent; private static Component mbComponent; static this() { log = LoggerFactory.getLogger!(RestletServer); apiComponent = new Component(); cdsComponent = new Component(); mbComponent = new Component(); } public static void runServer() { try { List!(ConverterHelper) registeredConverters = Engine.getInstance().getRegisteredConverters(); registeredConverters.add(0, new GsonConverter()); registeredConverters.add(1, new ServiioXstreamConverter()); Application apiApp = new ApiRestletApplication(); prepareComponent(apiComponent, Collections.singletonMap("/rest", apiApp), 23423); apiComponent.start(); Application cdsApp = new ContentDirectoryRestletApplication(); Application mbApp = cast(Application)createInstanceOfApplication("org.serviio.mediabrowser.rest.MediaBrowserRestletApplication"); Map!(String, Application) cdsApplications = new HashMap(); cdsApplications.put("/cds", cdsApp); cdsApplications.put("/mediabrowser", mbApp); prepareComponent(cdsComponent, cdsApplications, 23424); cdsComponent.start(); mbComponent.start(); } catch (Exception e) { throw new RuntimeException(e); } } public static void stopServer() { try { apiComponent.stop(); cdsComponent.stop(); mbComponent.stop(); } catch (Exception e) { log.warn("Error during shutting down Restlet server", e); } } private static void prepareComponent(Component component, Map!(String, Application) applications, int port) { Server httpServer = null; String remoteHost = System.getProperty("serviio.remoteHost"); if (ObjectValidator.isNotEmpty(remoteHost)) { httpServer = new Server(Protocol.HTTP, remoteHost, port); } else { httpServer = new Server(Protocol.HTTP, port); } component.getServers().add(httpServer); httpServer.getContext().getParameters().add("outboundBufferSize", Integer.toString(WebServer.getSocketBufferSize())); httpServer.getContext().getParameters().add("inboundBufferSize", Integer.toString(WebServer.getSocketBufferSize())); httpServer.getContext().getParameters().add("persistingConnections", "false"); foreach (Map.Entry!(String, Application) application ; applications.entrySet()) { if (ObjectValidator.isNotEmpty(remoteHost)) { log.info(java.lang.String.format("Starting Restlet server (%s) exposed on %s:%s", cast(Object[])[ application.getKey(), remoteHost, Integer.valueOf(port) ])); } else { log.info(java.lang.String.format("Starting Restlet server (%s) exposed on port %s", cast(Object[])[ application.getKey(), Integer.valueOf(port) ])); } (cast(Application)application.getValue()).setStatusService(new ServiioStatusService()); (cast(Application)application.getValue()).getRangeService().setEnabled(false); component.getDefaultHost().attach(cast(String)application.getKey(), cast(Restlet)application.getValue()); } } private static Object createInstanceOfApplication(String className) { try { Class/*!(?)*/ clazz = Class.forName(className); return clazz.newInstance(); } catch (Exception e) { throw new RuntimeException(e); } } } /* Location: C:\Users\Main\Downloads\serviio.jar * Qualified Name: org.serviio.restlet.RestletServer * JD-Core Version: 0.7.0.1 */
D
//----------------------------------------------------------------------------- // wxD - wxObject.d // (C) 2005 bero <berobero.sourceforge.net> // based on // wx.NET - wxObject.cs // /// The wxObject wrapper class. // // Written by Jason Perkins (jason@379.com) // (C) 2003 by 379, Inc. // Licensed under the wxWidgets license, see LICENSE.txt for details. // // $Id: wxObject.d,v 1.14 2008/07/29 06:53:22 afb Exp $ //----------------------------------------------------------------------------- module wx.wxObject; public import wx.common; //! \cond STD version (Tango) import tango.core.Version; //! \endcond //! \cond EXTERN extern (C) { alias void function(IntPtr ptr) Virtual_Dispose; } static extern (C) IntPtr wxObject_GetTypeName(IntPtr obj); static extern (C) void wxObject_dtor(IntPtr self); //! \endcond //--------------------------------------------------------------------- // this is for Locale gettext support... //! \cond EXTERN static extern (C) IntPtr wxGetTranslation_func(string str); //! \endcond public static string GetTranslation(string str) { return cast(string) new wxString(wxGetTranslation_func(str), true); } // in wxWidgets it is a c/c++ macro public static string _(string str) { return cast(string) new wxString(wxGetTranslation_func(str), true); } //--------------------------------------------------------------------- /+ template findObject(class T) T find(IntPtr ptr) { Object o = wxObject.FindObject(ptr); if (o) return cast(T)o; else new T(ptr); } +/ /// This is the root class of all wxWidgets classes. /// It declares a virtual destructor which ensures that destructors get /// called for all derived class objects where necessary. /** * wxObject is the hub of a dynamic object creation scheme, enabling a * program to create instances of a class only knowing its string class * name, and to query the class hierarchy. **/ public class wxObject : IDisposable { // Reference to the associated C++ object public IntPtr wxobj = IntPtr.init; // Hashtable to associate C++ objects with D references private static wxObject[IntPtr] objects; // memOwn is true when we create a new instance with the wrapper ctor // or if a call to a wrapper function returns new c++ instance. // Otherwise the created c++ object won't be deleted by the Dispose member. protected bool memOwn = false; //--------------------------------------------------------------------- public this(IntPtr wxobj) { // lock(typeof(wxObject)) { this.wxobj = wxobj; if (wxobj == IntPtr.init) { version (Tango) static if (Tango.Major == 0 && Tango.Minor < 994) throw new NullReferenceException("Не удаётся создать экземпляр " ~ this.toUtf8()); else throw new NullReferenceException("Не удаётся создать экземпляр " ~ this.toString()); else // Phobos throw new NullReferenceException("Не удаётся создать экземпляр " ~ this.toString()); } AddObject(this); // } } private this(IntPtr wxobj,bool memOwn) { this(wxobj); this.memOwn = memOwn; } //--------------------------------------------------------------------- public static IntPtr SafePtr(wxObject obj) { return obj ? obj.wxobj : IntPtr.init; } //--------------------------------------------------------------------- private static string GetTypeName(IntPtr wxobj) { return cast(string) new wxString(wxObject_GetTypeName(wxobj), true); } public string GetTypeName() { return cast(string) new wxString(wxObject_GetTypeName(wxobj), true); } //--------------------------------------------------------------------- // Registers an wxObject, so that it can be referenced using a C++ object // pointer. private static void AddObject(wxObject obj) { if (obj.wxobj != IntPtr.init) { objects[obj.wxobj] = obj; } } //--------------------------------------------------------------------- // Locates the registered object that references the given C++ object // pointer. // // If the pointer is not found, a reference to the object is created // using type. alias static wxObject function(IntPtr wxobj) newfunc; public static wxObject FindObject(IntPtr ptr, newfunc New) { if (ptr == IntPtr.init) { return null; } wxObject o = FindObject(ptr); // If the object wasn't found, create it // if (type != null && (o == null || o.GetType() != type)) { // o = (wxObject)Activator.CreateInstance(type, new object[]{ptr}); // } if (o is null) { o = New(ptr); } return o; } // Locates the registered object that references the given C++ object // pointer. public static wxObject FindObject(IntPtr ptr) { if (ptr != IntPtr.init) { wxObject *o = ptr in objects; if (o) return *o; } return null; } //--------------------------------------------------------------------- // Removes a registered object. // returns true if the object is found in the // Hashtable and is removed (for Dispose) public static bool RemoveObject(IntPtr ptr) { bool retval = false; if (ptr != IntPtr.init) { if(ptr in objects) { objects.remove(ptr); retval = true; } } return retval; } //--------------------------------------------------------------------- // called when an c++ (wx)wxObject dtor gets invoked static extern(C) private void VirtualDispose(IntPtr ptr) { FindObject(ptr).realVirtualDispose(); } private void realVirtualDispose() { RemoveObject(wxobj); wxobj = IntPtr.init; } protected void dtor() { wxObject_dtor(wxobj); } public /+virtual+/ void Dispose() { if (wxobj != IntPtr.init) { // bool still_there = RemoveObject(wxobj); // lock (typeof (wxObject)) { if (memOwn /*&& still_there*/) { dtor(); } // } RemoveObject(wxobj); wxobj = IntPtr.init; // memOwn = false; } //GC.SuppressFinalize(this); } ~this() { Dispose(); } protected bool disposed() { return wxobj==IntPtr.init; } }
D
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM ROCKTYPE 273 54 4 0 46 48 -33.5 151.300003 1769 6 6 intrusives, basalt 306.399994 74.1999969 4.30000019 0 52 55 -31.8999996 151.300003 8785 5.9000001 5.9000001 extrusives, basalts -65.400002 61.2999992 1.39999998 297 50 70 -31.6000004 145.600006 9339 2.20000005 2.20000005 sediments, saprolite 317 63 14 16 23 56 -32.5 151 1840 20 20 extrusives, basalts 297.200012 59.2000008 6 0 50 70 -30.5 151.5 1964 9.10000038 9.89999962 sediments, weathered
D
module dls.util.setup; void initialSetup() { version (Windows) { import std.algorithm : splitter; import std.file : exists; import std.path : buildNormalizedPath, dirName; import std.process : environment; version (X86_64) { enum binDir = "bin64"; } else version (X86) { enum binDir = "bin"; } foreach (path; splitter(environment["PATH"], ';')) { if (buildNormalizedPath(path, "dmd.exe").exists()) { environment["PATH"] = buildNormalizedPath(dirName(path), binDir) ~ ';' ~ environment["PATH"]; } } } }
D
INSTANCE Mod_7164_ASS_Kais_NW (Npc_Default) { // ------ NSC ------ name = "Kais"; guild = GIL_OUT; id = 7164; voice = 0; flags = 0; npctype = NPCTYPE_MAIN; // ------ Attribute ------ B_SetAttributesToChapter (self, 4); // ------ Kampf-Taktik ------ fight_tactic = FAI_HUMAN_NORMAL; // ------ Equippte Waffen ------ // ------ Inventory ------ B_CreateAmbientInv (self); // ------ visuals ------ B_SetNpcVisual (self, MALE, "Hum_Head_Bald", Face_B_Normal_Sharky, BodyTex_B,ITAR_Assassine_02); Mdl_SetModelFatness (self,0); //Mdl_ApplyOverlayMds (self, "Humans_Relaxed.mds"); // ------ NSC-relevante Talente vergeben ------ B_GiveNpcTalents (self); // ------ Kampf-Talente ------ B_SetFightSkills (self, 50); // ------ TA anmelden ------ daily_routine = Rtn_Start_7164; }; FUNC VOID Rtn_Start_7164() { TA_Study_WP (07,20,01,20,"WP_ASSASSINE_48"); TA_Study_WP (01,20,07,20,"WP_ASSASSINE_48"); }; FUNC VOID Rtn_Schlacht_7164() { TA_Stand_Guarding (07,20,01,20,"WP_ASSASSINE_51"); TA_Stand_Guarding (01,20,07,20,"WP_ASSASSINE_51"); }; FUNC VOID Rtn_Tot_7164() { TA_Stand_Guarding (07,20,01,20,"TOT"); TA_Stand_Guarding (01,20,07,20,"TOT"); };
D
/******************************************** * Encode and decode UTF-8, UTF-16 and UTF-32 strings. * * For Win32 systems, the C wchar_t type is UTF-16 and corresponds to the D * wchar type. * For Posix systems, the C wchar_t type is UTF-32 and corresponds to * the D utf.dchar type. * * UTF character support is restricted to (\u0000 &lt;= character &lt;= \U0010FFFF). * * See_Also: * $(LINK2 http://en.wikipedia.org/wiki/Unicode, Wikipedia)<br> * $(LINK http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8)<br> * $(LINK http://anubis.dkuug.dk/JTC1/SC2/WG2/docs/n1335) * * Copyright: Copyright Digital Mars 2003 - 2016. * License: $(HTTP www.boost.org/LICENSE_1_0.txt, Boost License 1.0). * Authors: Walter Bright, Sean Kelly * Source: $(DRUNTIMESRC src/rt/util/_utf.d) */ module rt.util.utf; extern (C) void onUnicodeError( string msg, size_t idx, string file = __FILE__, size_t line = __LINE__ ) @safe pure; /******************************* * Test if c is a valid UTF-32 character. * * \uFFFE and \uFFFF are considered valid by this function, * as they are permitted for internal use by an application, * but they are not allowed for interchange by the Unicode standard. * * Returns: true if it is, false if not. */ @safe @nogc pure nothrow bool isValidDchar(dchar c) { /* Note: FFFE and FFFF are specifically permitted by the * Unicode standard for application internal use, but are not * allowed for interchange. * (thanks to Arcane Jill) */ return c < 0xD800 || (c > 0xDFFF && c <= 0x10FFFF /*&& c != 0xFFFE && c != 0xFFFF*/); } unittest { debug(utf) printf("utf.isValidDchar.unittest\n"); assert(isValidDchar(cast(dchar)'a') == true); assert(isValidDchar(cast(dchar)0x1FFFFF) == false); } static immutable UTF8stride = [ cast(ubyte) 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF, 0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF, 0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF, 0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF, 2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2, 2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2, 3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3, 4,4,4,4,4,4,4,4,5,5,5,5,6,6,0xFF,0xFF, ]; /** * stride() returns the length of a UTF-8 sequence starting at index i * in string s. * Returns: * The number of bytes in the UTF-8 sequence or * 0xFF meaning s[i] is not the start of of UTF-8 sequence. */ @safe @nogc pure nothrow uint stride(in char[] s, size_t i) { return UTF8stride[s[i]]; } /** * stride() returns the length of a UTF-16 sequence starting at index i * in string s. */ @safe @nogc pure nothrow uint stride(in wchar[] s, size_t i) { uint u = s[i]; return 1 + (u >= 0xD800 && u <= 0xDBFF); } /** * stride() returns the length of a UTF-32 sequence starting at index i * in string s. * Returns: The return value will always be 1. */ @safe @nogc pure nothrow uint stride(in dchar[] s, size_t i) { return 1; } /******************************************* * Given an index i into an array of characters s[], * and assuming that index i is at the start of a UTF character, * determine the number of UCS characters up to that index i. */ @safe pure size_t toUCSindex(in char[] s, size_t i) { size_t n; size_t j; for (j = 0; j < i; ) { j += stride(s, j); n++; } if (j > i) { onUnicodeError("invalid UTF-8 sequence", j); } return n; } /** ditto */ @safe pure size_t toUCSindex(in wchar[] s, size_t i) { size_t n; size_t j; for (j = 0; j < i; ) { j += stride(s, j); n++; } if (j > i) { onUnicodeError("invalid UTF-16 sequence", j); } return n; } /** ditto */ @safe @nogc pure nothrow size_t toUCSindex(in dchar[] s, size_t i) { return i; } /****************************************** * Given a UCS index n into an array of characters s[], return the UTF index. */ @safe pure size_t toUTFindex(in char[] s, size_t n) { size_t i; while (n--) { uint j = UTF8stride[s[i]]; if (j == 0xFF) onUnicodeError("invalid UTF-8 sequence", i); i += j; } return i; } /** ditto */ @safe @nogc pure nothrow size_t toUTFindex(in wchar[] s, size_t n) { size_t i; while (n--) { wchar u = s[i]; i += 1 + (u >= 0xD800 && u <= 0xDBFF); } return i; } /** ditto */ @safe @nogc pure nothrow size_t toUTFindex(in dchar[] s, size_t n) { return n; } /* =================== Decode ======================= */ /*************** * Decodes and returns character starting at s[idx]. idx is advanced past the * decoded character. If the character is not well formed, a UtfException is * thrown and idx remains unchanged. */ @safe pure dchar decode(in char[] s, ref size_t idx) in { assert(idx >= 0 && idx < s.length); } out (result) { assert(isValidDchar(result)); } do { size_t len = s.length; dchar V; size_t i = idx; char u = s[i]; if (u & 0x80) { uint n; char u2; /* The following encodings are valid, except for the 5 and 6 byte * combinations: * 0xxxxxxx * 110xxxxx 10xxxxxx * 1110xxxx 10xxxxxx 10xxxxxx * 11110xxx 10xxxxxx 10xxxxxx 10xxxxxx * 111110xx 10xxxxxx 10xxxxxx 10xxxxxx 10xxxxxx * 1111110x 10xxxxxx 10xxxxxx 10xxxxxx 10xxxxxx 10xxxxxx */ for (n = 1; ; n++) { if (n > 4) goto Lerr; // only do the first 4 of 6 encodings if (((u << n) & 0x80) == 0) { if (n == 1) goto Lerr; break; } } // Pick off (7 - n) significant bits of B from first byte of octet V = cast(dchar)(u & ((1 << (7 - n)) - 1)); if (i + (n - 1) >= len) goto Lerr; // off end of string /* The following combinations are overlong, and illegal: * 1100000x (10xxxxxx) * 11100000 100xxxxx (10xxxxxx) * 11110000 1000xxxx (10xxxxxx 10xxxxxx) * 11111000 10000xxx (10xxxxxx 10xxxxxx 10xxxxxx) * 11111100 100000xx (10xxxxxx 10xxxxxx 10xxxxxx 10xxxxxx) */ u2 = s[i + 1]; if ((u & 0xFE) == 0xC0 || (u == 0xE0 && (u2 & 0xE0) == 0x80) || (u == 0xF0 && (u2 & 0xF0) == 0x80) || (u == 0xF8 && (u2 & 0xF8) == 0x80) || (u == 0xFC && (u2 & 0xFC) == 0x80)) goto Lerr; // overlong combination for (uint j = 1; j != n; j++) { u = s[i + j]; if ((u & 0xC0) != 0x80) goto Lerr; // trailing bytes are 10xxxxxx V = (V << 6) | (u & 0x3F); } if (!isValidDchar(V)) goto Lerr; i += n; } else { V = cast(dchar) u; i++; } idx = i; return V; Lerr: onUnicodeError("invalid UTF-8 sequence", i); return V; // dummy return } unittest { size_t i; dchar c; debug(utf) printf("utf.decode.unittest\n"); static s1 = "abcd"c; i = 0; c = decode(s1, i); assert(c == cast(dchar)'a'); assert(i == 1); c = decode(s1, i); assert(c == cast(dchar)'b'); assert(i == 2); static s2 = "\xC2\xA9"c; i = 0; c = decode(s2, i); assert(c == cast(dchar)'\u00A9'); assert(i == 2); static s3 = "\xE2\x89\xA0"c; i = 0; c = decode(s3, i); assert(c == cast(dchar)'\u2260'); assert(i == 3); static s4 = [ "\xE2\x89"c[], // too short "\xC0\x8A", "\xE0\x80\x8A", "\xF0\x80\x80\x8A", "\xF8\x80\x80\x80\x8A", "\xFC\x80\x80\x80\x80\x8A", ]; for (int j = 0; j < s4.length; j++) { try { i = 0; c = decode(s4[j], i); assert(0); } catch (Throwable o) { i = 23; } assert(i == 23); } } /** ditto */ @safe pure dchar decode(in wchar[] s, ref size_t idx) in { assert(idx >= 0 && idx < s.length); } out (result) { assert(isValidDchar(result)); } do { string msg; dchar V; size_t i = idx; uint u = s[i]; if (u & ~0x7F) { if (u >= 0xD800 && u <= 0xDBFF) { uint u2; if (i + 1 == s.length) { msg = "surrogate UTF-16 high value past end of string"; goto Lerr; } u2 = s[i + 1]; if (u2 < 0xDC00 || u2 > 0xDFFF) { msg = "surrogate UTF-16 low value out of range"; goto Lerr; } u = ((u - 0xD7C0) << 10) + (u2 - 0xDC00); i += 2; } else if (u >= 0xDC00 && u <= 0xDFFF) { msg = "unpaired surrogate UTF-16 value"; goto Lerr; } else if (u == 0xFFFE || u == 0xFFFF) { msg = "illegal UTF-16 value"; goto Lerr; } else i++; } else { i++; } idx = i; return cast(dchar)u; Lerr: onUnicodeError(msg, i); return cast(dchar)u; // dummy return } /** ditto */ @safe pure dchar decode(in dchar[] s, ref size_t idx) in { assert(idx >= 0 && idx < s.length); } do { size_t i = idx; dchar c = s[i]; if (!isValidDchar(c)) goto Lerr; idx = i + 1; return c; Lerr: onUnicodeError("invalid UTF-32 value", i); return c; // dummy return } /* =================== Encode ======================= */ /******************************* * Encodes character c and appends it to array s[]. */ @safe pure nothrow void encode(ref char[] s, dchar c) in { assert(isValidDchar(c)); } do { char[] r = s; if (c <= 0x7F) { r ~= cast(char) c; } else { char[4] buf; uint L; if (c <= 0x7FF) { buf[0] = cast(char)(0xC0 | (c >> 6)); buf[1] = cast(char)(0x80 | (c & 0x3F)); L = 2; } else if (c <= 0xFFFF) { buf[0] = cast(char)(0xE0 | (c >> 12)); buf[1] = cast(char)(0x80 | ((c >> 6) & 0x3F)); buf[2] = cast(char)(0x80 | (c & 0x3F)); L = 3; } else if (c <= 0x10FFFF) { buf[0] = cast(char)(0xF0 | (c >> 18)); buf[1] = cast(char)(0x80 | ((c >> 12) & 0x3F)); buf[2] = cast(char)(0x80 | ((c >> 6) & 0x3F)); buf[3] = cast(char)(0x80 | (c & 0x3F)); L = 4; } else { assert(0); } r ~= buf[0 .. L]; } s = r; } unittest { debug(utf) printf("utf.encode.unittest\n"); char[] s = "abcd".dup; encode(s, cast(dchar)'a'); assert(s.length == 5); assert(s == "abcda"); encode(s, cast(dchar)'\u00A9'); assert(s.length == 7); assert(s == "abcda\xC2\xA9"); //assert(s == "abcda\u00A9"); // BUG: fix compiler encode(s, cast(dchar)'\u2260'); assert(s.length == 10); assert(s == "abcda\xC2\xA9\xE2\x89\xA0"); } /** ditto */ @safe pure nothrow void encode(ref wchar[] s, dchar c) in { assert(isValidDchar(c)); } do { wchar[] r = s; if (c <= 0xFFFF) { r ~= cast(wchar) c; } else { wchar[2] buf; buf[0] = cast(wchar) ((((c - 0x10000) >> 10) & 0x3FF) + 0xD800); buf[1] = cast(wchar) (((c - 0x10000) & 0x3FF) + 0xDC00); r ~= buf; } s = r; } /** ditto */ @safe pure nothrow void encode(ref dchar[] s, dchar c) in { assert(isValidDchar(c)); } do { s ~= c; } /** Returns the code length of $(D c) in the encoding using $(D C) as a code point. The code is returned in character count, not in bytes. */ @safe pure nothrow @nogc ubyte codeLength(C)(dchar c) { static if (C.sizeof == 1) { if (c <= 0x7F) return 1; if (c <= 0x7FF) return 2; if (c <= 0xFFFF) return 3; if (c <= 0x10FFFF) return 4; assert(false); } else static if (C.sizeof == 2) { return c <= 0xFFFF ? 1 : 2; } else { static assert(C.sizeof == 4); return 1; } } /* =================== Validation ======================= */ /*********************************** Checks to see if string is well formed or not. $(D S) can be an array of $(D char), $(D wchar), or $(D dchar). Throws a $(D UtfException) if it is not. Use to check all untrusted input for correctness. */ @safe pure void validate(S)(in S s) { auto len = s.length; for (size_t i = 0; i < len; ) { decode(s, i); } } /* =================== Conversion to UTF8 ======================= */ @safe pure nothrow @nogc char[] toUTF8(char[] buf, dchar c) in { assert(isValidDchar(c)); } do { if (c <= 0x7F) { buf[0] = cast(char) c; return buf[0 .. 1]; } else if (c <= 0x7FF) { buf[0] = cast(char)(0xC0 | (c >> 6)); buf[1] = cast(char)(0x80 | (c & 0x3F)); return buf[0 .. 2]; } else if (c <= 0xFFFF) { buf[0] = cast(char)(0xE0 | (c >> 12)); buf[1] = cast(char)(0x80 | ((c >> 6) & 0x3F)); buf[2] = cast(char)(0x80 | (c & 0x3F)); return buf[0 .. 3]; } else if (c <= 0x10FFFF) { buf[0] = cast(char)(0xF0 | (c >> 18)); buf[1] = cast(char)(0x80 | ((c >> 12) & 0x3F)); buf[2] = cast(char)(0x80 | ((c >> 6) & 0x3F)); buf[3] = cast(char)(0x80 | (c & 0x3F)); return buf[0 .. 4]; } assert(0); } /******************* * Encodes string s into UTF-8 and returns the encoded string. */ @safe pure nothrow string toUTF8(string s) in { validate(s); } do { return s; } /** ditto */ @trusted pure string toUTF8(in wchar[] s) { char[] r; size_t i; size_t slen = s.length; r.length = slen; for (i = 0; i < slen; i++) { wchar c = s[i]; if (c <= 0x7F) r[i] = cast(char)c; // fast path for ascii else { r.length = i; foreach (dchar c; s[i .. slen]) { encode(r, c); } break; } } return cast(string)r; } /** ditto */ @trusted pure string toUTF8(in dchar[] s) { char[] r; size_t i; size_t slen = s.length; r.length = slen; for (i = 0; i < slen; i++) { dchar c = s[i]; if (c <= 0x7F) r[i] = cast(char)c; // fast path for ascii else { r.length = i; foreach (dchar d; s[i .. slen]) { encode(r, d); } break; } } return cast(string)r; } /* =================== Conversion to UTF16 ======================= */ @safe pure nothrow @nogc wchar[] toUTF16(wchar[] buf, dchar c) in { assert(isValidDchar(c)); } do { if (c <= 0xFFFF) { buf[0] = cast(wchar) c; return buf[0 .. 1]; } else { buf[0] = cast(wchar) ((((c - 0x10000) >> 10) & 0x3FF) + 0xD800); buf[1] = cast(wchar) (((c - 0x10000) & 0x3FF) + 0xDC00); return buf[0 .. 2]; } } /**************** * Encodes string s into UTF-16 and returns the encoded string. * toUTF16z() is suitable for calling the 'W' functions in the Win32 API that take * an LPWSTR or LPCWSTR argument. */ @trusted pure wstring toUTF16(in char[] s) { wchar[] r; size_t slen = s.length; if (!__ctfe) { // Reserve still does a lot if slen is zero. // Return early for that case. if (0 == slen) return ""w; r.reserve(slen); } for (size_t i = 0; i < slen; ) { dchar c = s[i]; if (c <= 0x7F) { i++; r ~= cast(wchar)c; } else { c = decode(s, i); encode(r, c); } } return cast(wstring)r; } alias const(wchar)* wptr; /** ditto */ @safe pure wptr toUTF16z(in char[] s) { wchar[] r; size_t slen = s.length; if (!__ctfe) { // Reserve still does a lot if slen is zero. // Return early for that case. if (0 == slen) return &"\0"w[0]; r.reserve(slen + 1); } for (size_t i = 0; i < slen; ) { dchar c = s[i]; if (c <= 0x7F) { i++; r ~= cast(wchar)c; } else { c = decode(s, i); encode(r, c); } } r ~= '\000'; return &r[0]; } /** ditto */ @safe pure nothrow wstring toUTF16(wstring s) in { validate(s); } do { return s; } /** ditto */ @trusted pure nothrow wstring toUTF16(in dchar[] s) { wchar[] r; size_t slen = s.length; if (!__ctfe) { // Reserve still does a lot if slen is zero. // Return early for that case. if (0 == slen) return ""w; r.reserve(slen); } for (size_t i = 0; i < slen; i++) { encode(r, s[i]); } return cast(wstring)r; } /* =================== Conversion to UTF32 ======================= */ /***** * Encodes string s into UTF-32 and returns the encoded string. */ @trusted pure dstring toUTF32(in char[] s) { dchar[] r; size_t slen = s.length; size_t j = 0; r.length = slen; // r[] will never be longer than s[] for (size_t i = 0; i < slen; ) { dchar c = s[i]; if (c >= 0x80) c = decode(s, i); else i++; // c is ascii, no need for decode r[j++] = c; } return cast(dstring)r[0 .. j]; } /** ditto */ @trusted pure dstring toUTF32(in wchar[] s) { dchar[] r; size_t slen = s.length; size_t j = 0; r.length = slen; // r[] will never be longer than s[] for (size_t i = 0; i < slen; ) { dchar c = s[i]; if (c >= 0x80) c = decode(s, i); else i++; // c is ascii, no need for decode r[j++] = c; } return cast(dstring)r[0 .. j]; } /** ditto */ @safe pure nothrow dstring toUTF32(dstring s) in { validate(s); } do { return s; } /* ================================ tests ================================== */ unittest { debug(utf) printf("utf.toUTF.unittest\n"); auto c = "hello"c[]; auto w = toUTF16(c); assert(w == "hello"); auto d = toUTF32(c); assert(d == "hello"); c = toUTF8(w); assert(c == "hello"); d = toUTF32(w); assert(d == "hello"); c = toUTF8(d); assert(c == "hello"); w = toUTF16(d); assert(w == "hello"); c = "hel\u1234o"; w = toUTF16(c); assert(w == "hel\u1234o"); d = toUTF32(c); assert(d == "hel\u1234o"); c = toUTF8(w); assert(c == "hel\u1234o"); d = toUTF32(w); assert(d == "hel\u1234o"); c = toUTF8(d); assert(c == "hel\u1234o"); w = toUTF16(d); assert(w == "hel\u1234o"); c = "he\U000BAAAAllo"; w = toUTF16(c); //foreach (wchar c; w) printf("c = x%x\n", c); //foreach (wchar c; cast(wstring)"he\U000BAAAAllo") printf("c = x%x\n", c); assert(w == "he\U000BAAAAllo"); d = toUTF32(c); assert(d == "he\U000BAAAAllo"); c = toUTF8(w); assert(c == "he\U000BAAAAllo"); d = toUTF32(w); assert(d == "he\U000BAAAAllo"); c = toUTF8(d); assert(c == "he\U000BAAAAllo"); w = toUTF16(d); assert(w == "he\U000BAAAAllo"); wchar[2] buf; auto ret = toUTF16(buf, '\U000BAAAA'); assert(ret == "\U000BAAAA"); }
D
INSTANCE Balrog_Plateau (Mst_Default_Firegolem) { name = "Balrog"; guild = GIL_TROLL; aivar[AIV_MM_REAL_ID] = ID_BALROG; id = 7194; level = 200; //----- Attribute ---- attribute [ATR_STRENGTH] = 600; attribute [ATR_DEXTERITY] = 600; attribute [ATR_HITPOINTS_MAX] = 1800; attribute [ATR_HITPOINTS] = 1800; attribute [ATR_MANA_MAX] = 1000; attribute [ATR_MANA] = 1000; self.aivar[AIV_Damage] = self.attribute[ATR_HITPOINTS]; //----- Protections ---- protection [PROT_BLUNT] = 250000; protection [PROT_EDGE] = 250000; protection [PROT_POINT] = -1; protection [PROT_FIRE] = -1; protection [PROT_FLY] = -1; protection [PROT_MAGIC] = 200; //----- Damage Types ---- damagetype = DAM_FIRE|DAM_FLY; // damage [DAM_INDEX_BLUNT] = 0; // damage [DAM_INDEX_EDGE] = 0; // damage [DAM_INDEX_POINT] = 0; damage [DAM_INDEX_FIRE] = 599; damage [DAM_INDEX_FLY] = 1; // damage [DAM_INDEX_MAGIC] = 0; //----- Kampf-Taktik ---- fight_tactic = FAI_DEMON; //----- Senses & Ranges ---- senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL; senses_range = PERC_DIST_MONSTER_ACTIVE_MAX; aivar[AIV_MM_FollowTime] = FOLLOWTIME_MEDIUM; aivar[AIV_MM_FollowInWater] = FALSE; Mdl_SetVisual (self, "Balrog.mds"); // Body-Mesh Body-Tex Skin-Color Head-MMS Head-Tex Teeth-Tex ARMOR Mdl_SetVisualBody (self, "Balrog_Body", DEFAULT, DEFAULT, "", DEFAULT, DEFAULT, -1); Npc_SetToFistMode(self); //----- Daily Routine ---- start_aistate = ZS_MM_AllScheduler; aivar[AIV_MM_RestStart] = OnlyRoutine; }; FUNC VOID Rtn_Start_7194() { TA_Roam (08,00,20,00,"WP_ADANOS_BALROG"); TA_Roam (20,00,08,00,"WP_ADANOS_BALROG"); };
D
/Users/kirillaverkiev/Documents/NetRoute/build/NetRoute.build/Release-iphoneos/NetRoute.build/Objects-normal/arm64/NRObject.o : /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRObject.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestParameters.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRResponse.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequest.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestState.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestQueueStatus.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestQueue.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestPriority.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRURLManager.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestType.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NetRoute.h /Users/kirillaverkiev/Documents/NetRoute/build/NetRoute.build/Release-iphoneos/NetRoute.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule /Users/kirillaverkiev/Documents/NetRoute/build/NetRoute.build/Release-iphoneos/NetRoute.build/Objects-normal/arm64/NRObject~partial.swiftmodule : /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRObject.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestParameters.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRResponse.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequest.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestState.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestQueueStatus.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestQueue.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestPriority.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRURLManager.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestType.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NetRoute.h /Users/kirillaverkiev/Documents/NetRoute/build/NetRoute.build/Release-iphoneos/NetRoute.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule /Users/kirillaverkiev/Documents/NetRoute/build/NetRoute.build/Release-iphoneos/NetRoute.build/Objects-normal/arm64/NRObject~partial.swiftdoc : /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRObject.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestParameters.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRResponse.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequest.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestState.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestQueueStatus.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestQueue.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestPriority.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRURLManager.swift /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NRRequestType.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Users/kirillaverkiev/Documents/NetRoute/NetRoute/NetRoute.h /Users/kirillaverkiev/Documents/NetRoute/build/NetRoute.build/Release-iphoneos/NetRoute.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule
D
import std.stdio; void main() { writeln("Hello, world!"); returnless_method(); } void returnless_method() { writeln("Hello from returnless_method"); }
D
// ****************** // SPL_ChargeZap // ****************** const int SPL_Cost_ChargeZap = 40; //4*10 const int STEP_ChargeZap = 10; const int SPL_Damage_ChargeZap = 30; var int ChargeZapUsed; INSTANCE Spell_ChargeZap (C_Spell_Proto) { time_per_mana = 100; damage_per_level = SPL_Damage_ChargeZap; damageType = DAM_MAGIC; canTurnDuringInvest = TRUE; }; func int Spell_Logic_ChargeZap (var int manaInvested) { if (self.attribute[ATR_MANA]<STEP_ChargeZap) { return SPL_DONTINVEST; }; if (manaInvested <= STEP_ChargeZap*1) { self.aivar[AIV_SpellLevel] = 1; //Start mit Level 1 return SPL_STATUS_CANINVEST_NO_MANADEC; } else if (manaInvested > (STEP_ChargeZap*1)) && (self.aivar[AIV_SpellLevel] <= 1) { self.attribute[ATR_MANA] = (self.attribute[ATR_MANA] - STEP_ChargeZap); if (self.attribute[ATR_MANA]<0) { self.attribute[ATR_MANA]=0; }; self.aivar[AIV_SpellLevel] = 2; return SPL_NEXTLEVEL; //Lev2 erreicht } else if (manaInvested > (STEP_ChargeZap*2)) && (self.aivar[AIV_SpellLevel] <= 2) { self.attribute[ATR_MANA] = (self.attribute[ATR_MANA] - STEP_ChargeZap); if (self.attribute[ATR_MANA]<0) { self.attribute[ATR_MANA]=0; }; self.aivar[AIV_SpellLevel] = 3; return SPL_NEXTLEVEL; //Lev3 erreicht } else if (manaInvested > (STEP_ChargeZap*3)) && (self.aivar[AIV_SpellLevel] <= 3) { self.attribute[ATR_MANA] = (self.attribute[ATR_MANA] - STEP_ChargeZap); if (self.attribute[ATR_MANA]<0) { self.attribute[ATR_MANA]=0; }; self.aivar[AIV_SpellLevel] = 4; return SPL_NEXTLEVEL; //Lev4 erreicht } else if (manaInvested > (STEP_ChargeZap*3)) && (self.aivar[AIV_SpellLevel] == 4) { return SPL_DONTINVEST; }; return SPL_STATUS_CANINVEST_NO_MANADEC; }; func void Spell_Cast_ChargeZap(var int spellLevel) { self.attribute[ATR_MANA] = (self.attribute[ATR_MANA] - STEP_ChargeZap); if (Npc_IsPlayer(self) && !ChargeZapUsed) { ChargeZapUsed = TRUE; WillUzyteZaklecia += 1; }; if (self.attribute[ATR_MANA]<0) { self.attribute[ATR_MANA]=0; }; self.aivar[AIV_SelectSpell] += 1; };
D
a social class comprising those who do manual labor or work for wages
D
module componenthandler; import entity; interface ComponentHandler(ComponentType) { protected bool canAddEntity(Entity entity); protected ComponentType makeComponent(Entity entity); protected void updateFromEntities(); protected void updateValues(); protected void updateEntities(); }
D
/** * Dynamic array implementation. * * Copyright: Copyright (C) 1999-2022 by The D Language Foundation, All Rights Reserved * Authors: $(LINK2 https://www.digitalmars.com, Walter Bright) * License: $(LINK2 https://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/root/array.d, root/_array.d) * Documentation: https://dlang.org/phobos/dmd_root_array.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/root/array.d */ module dmd.root.array; import core.stdc.stdlib : _compare_fp_t; import core.stdc.string; import dmd.root.rmem; import dmd.root.string; // `qsort` is only `nothrow` since 2.081.0 private extern(C) void qsort(scope void* base, size_t nmemb, size_t size, _compare_fp_t compar) nothrow @nogc; debug { debug = stomp; // flush out dangling pointer problems by stomping on unused memory } extern (C++) struct Array(T) { size_t length; private: T[] data; enum SMALLARRAYCAP = 1; T[SMALLARRAYCAP] smallarray; // inline storage for small arrays public: /******************* * Params: * dim = initial length of array */ this(size_t dim) pure nothrow { reserve(dim); this.length = dim; } @disable this(this); ~this() pure nothrow { debug (stomp) memset(data.ptr, 0xFF, data.length); if (data.ptr != &smallarray[0]) mem.xfree(data.ptr); } ///returns elements comma separated in [] extern(D) const(char)[] toString() const { static const(char)[] toStringImpl(alias toStringFunc, Array)(Array* a, bool quoted = false) { const(char)[][] buf = (cast(const(char)[]*)mem.xcalloc((char[]).sizeof, a.length))[0 .. a.length]; size_t len = 2; // [ and ] const seplen = quoted ? 3 : 1; // ',' or null terminator and optionally '"' if (a.length == 0) len += 1; // null terminator else { foreach (u; 0 .. a.length) { buf[u] = toStringFunc(a.data[u]); len += buf[u].length + seplen; } } char[] str = (cast(char*)mem.xmalloc_noscan(len))[0..len]; str[0] = '['; char* p = str.ptr + 1; foreach (u; 0 .. a.length) { if (u) *p++ = ','; if (quoted) *p++ = '"'; memcpy(p, buf[u].ptr, buf[u].length); p += buf[u].length; if (quoted) *p++ = '"'; } *p++ = ']'; *p = 0; assert(p - str.ptr == str.length - 1); // null terminator mem.xfree(buf.ptr); return str[0 .. $-1]; } static if (is(typeof(T.init.toString()))) { return toStringImpl!(a => a.toString)(&this); } else static if (is(typeof(T.init.toDString()))) { return toStringImpl!(a => a.toDString)(&this, true); } else { assert(0); } } ///ditto const(char)* toChars() const { return toString.ptr; } ref Array push(T ptr) return pure nothrow { reserve(1); data[length++] = ptr; return this; } extern (D) ref Array pushSlice(T[] a) return pure nothrow { const oldLength = length; setDim(oldLength + a.length); memcpy(data.ptr + oldLength, a.ptr, a.length * T.sizeof); return this; } ref Array append(typeof(this)* a) return pure nothrow { insert(length, a); return this; } void reserve(size_t nentries) pure nothrow { //printf("Array::reserve: length = %d, data.length = %d, nentries = %d\n", cast(int)length, cast(int)data.length, cast(int)nentries); // Cold path void enlarge(size_t nentries) { pragma(inline, false); // never inline cold path if (data.length == 0) { // Not properly initialized, someone memset it to zero if (nentries <= SMALLARRAYCAP) { data = SMALLARRAYCAP ? smallarray[] : null; } else { auto p = cast(T*)mem.xmalloc(nentries * T.sizeof); data = p[0 .. nentries]; } } else if (data.length == SMALLARRAYCAP) { const allocdim = length + nentries; auto p = cast(T*)mem.xmalloc(allocdim * T.sizeof); memcpy(p, smallarray.ptr, length * T.sizeof); data = p[0 .. allocdim]; } else { /* Increase size by 1.5x to avoid excessive memory fragmentation */ auto increment = length / 2; if (nentries > increment) // if 1.5 is not enough increment = nentries; const allocdim = length + increment; debug (stomp) { // always move using allocate-copy-stomp-free auto p = cast(T*)mem.xmalloc(allocdim * T.sizeof); memcpy(p, data.ptr, length * T.sizeof); memset(data.ptr, 0xFF, data.length * T.sizeof); mem.xfree(data.ptr); } else auto p = cast(T*)mem.xrealloc(data.ptr, allocdim * T.sizeof); data = p[0 .. allocdim]; } debug (stomp) { if (length < data.length) memset(data.ptr + length, 0xFF, (data.length - length) * T.sizeof); } else { if (mem.isGCEnabled) if (length < data.length) memset(data.ptr + length, 0xFF, (data.length - length) * T.sizeof); } } if (data.length - length < nentries) // false means hot path enlarge(nentries); } void remove(size_t i) pure nothrow @nogc { if (length - i - 1) memmove(data.ptr + i, data.ptr + i + 1, (length - i - 1) * T.sizeof); length--; debug (stomp) memset(data.ptr + length, 0xFF, T.sizeof); } void insert(size_t index, typeof(this)* a) pure nothrow { if (a) { size_t d = a.length; reserve(d); if (length != index) memmove(data.ptr + index + d, data.ptr + index, (length - index) * T.sizeof); memcpy(data.ptr + index, a.data.ptr, d * T.sizeof); length += d; } } void insert(size_t index, T ptr) pure nothrow { reserve(1); memmove(data.ptr + index + 1, data.ptr + index, (length - index) * T.sizeof); data[index] = ptr; length++; } void setDim(size_t newdim) pure nothrow { if (length < newdim) { reserve(newdim - length); } length = newdim; } size_t find(T ptr) const nothrow pure { foreach (i; 0 .. length) if (data[i] is ptr) return i; return size_t.max; } bool contains(T ptr) const nothrow pure { return find(ptr) != size_t.max; } ref inout(T) opIndex(size_t i) inout nothrow pure { debug // This is called so often the array bounds become expensive return data[i]; else return data.ptr[i]; } inout(T)* tdata() inout pure nothrow @nogc @trusted { return data.ptr; } Array!T* copy() const pure nothrow { auto a = new Array!T(); a.setDim(length); memcpy(a.data.ptr, data.ptr, length * T.sizeof); return a; } void shift(T ptr) pure nothrow { reserve(1); memmove(data.ptr + 1, data.ptr, length * T.sizeof); data[0] = ptr; length++; } void zero() nothrow pure @nogc { data[0 .. length] = T.init; } T pop() nothrow pure @nogc { debug (stomp) { assert(length); auto result = data[length - 1]; remove(length - 1); return result; } else return data[--length]; } extern (D) inout(T)[] opSlice() inout nothrow pure @nogc { return data[0 .. length]; } extern (D) inout(T)[] opSlice(size_t a, size_t b) inout nothrow pure @nogc { assert(a <= b && b <= length); return data[a .. b]; } /** * Sort the elements of an array * * This function relies on `qsort`. * * Params: * pred = Predicate to use. Should be a function of type * `int function(scope const T* e1, scope const T* e2) nothrow`. * The return value of this function should follow the * usual C rule: `e1 >= e2 ? (e1 > e2) : -1`. * The function can have D linkage. * * Returns: * A reference to this, for easy chaining. */ extern(D) ref typeof(this) sort (alias pred) () nothrow { if (this.length < 2) return this; qsort(this.data.ptr, this.length, T.sizeof, &arraySortWrapper!(T, pred)); return this; } /// Ditto, but use `opCmp` by default extern(D) ref typeof(this) sort () () nothrow if (is(typeof(this.data[0].opCmp(this.data[1])) : int)) { return this.sort!(function (scope const(T)* pe1, scope const(T)* pe2) => pe1.opCmp(*pe2)); } alias opDollar = length; alias dim = length; } unittest { // Test for objects implementing toString() static struct S { int s = -1; string toString() const { return "S"; } } auto array = Array!S(4); assert(array.toString() == "[S,S,S,S]"); array.setDim(0); assert(array.toString() == "[]"); // Test for toDString() auto strarray = Array!(const(char)*)(2); strarray[0] = "hello"; strarray[1] = "world"; auto str = strarray.toString(); assert(str == `["hello","world"]`); // Test presence of null terminator. assert(str.ptr[str.length] == '\0'); } unittest { auto array = Array!double(4); array.shift(10); array.push(20); array[2] = 15; assert(array[0] == 10); assert(array.find(10) == 0); assert(array.find(20) == 5); assert(!array.contains(99)); array.remove(1); assert(array.length == 5); assert(array[1] == 15); assert(array.pop() == 20); assert(array.length == 4); array.insert(1, 30); assert(array[1] == 30); assert(array[2] == 15); } unittest { auto arrayA = Array!int(0); int[3] buf = [10, 15, 20]; arrayA.pushSlice(buf); assert(arrayA[] == buf[]); auto arrayPtr = arrayA.copy(); assert(arrayPtr); assert((*arrayPtr)[] == arrayA[]); assert(arrayPtr.tdata != arrayA.tdata); arrayPtr.setDim(0); int[2] buf2 = [100, 200]; arrayPtr.pushSlice(buf2); arrayA.append(arrayPtr); assert(arrayA[3..$] == buf2[]); arrayA.insert(0, arrayPtr); assert(arrayA[] == [100, 200, 10, 15, 20, 100, 200]); arrayA.zero(); foreach(e; arrayA) assert(e == 0); } /** * Exposes the given root Array as a standard D array. * Params: * array = the array to expose. * Returns: * The given array exposed to a standard D array. */ @property inout(T)[] peekSlice(T)(inout(Array!T)* array) pure nothrow @nogc { return array ? (*array)[] : null; } /** * Splits the array at $(D index) and expands it to make room for $(D length) * elements by shifting everything past $(D index) to the right. * Params: * array = the array to split. * index = the index to split the array from. * length = the number of elements to make room for starting at $(D index). */ void split(T)(ref Array!T array, size_t index, size_t length) pure nothrow { if (length > 0) { auto previousDim = array.length; array.setDim(array.length + length); for (size_t i = previousDim; i > index;) { i--; array[i + length] = array[i]; } } } unittest { auto array = Array!int(); array.split(0, 0); assert([] == array[]); array.push(1).push(3); array.split(1, 1); array[1] = 2; assert([1, 2, 3] == array[]); array.split(2, 3); array[2] = 8; array[3] = 20; array[4] = 4; assert([1, 2, 8, 20, 4, 3] == array[]); array.split(0, 0); assert([1, 2, 8, 20, 4, 3] == array[]); array.split(0, 1); array[0] = 123; assert([123, 1, 2, 8, 20, 4, 3] == array[]); array.split(0, 3); array[0] = 123; array[1] = 421; array[2] = 910; assert([123, 421, 910, 123, 1, 2, 8, 20, 4, 3] == (&array).peekSlice()); } /** * Reverse an array in-place. * Params: * a = array * Returns: * reversed a[] */ T[] reverse(T)(T[] a) pure nothrow @nogc @safe { if (a.length > 1) { const mid = (a.length + 1) >> 1; foreach (i; 0 .. mid) { T e = a[i]; a[i] = a[$ - 1 - i]; a[$ - 1 - i] = e; } } return a; } unittest { int[] a1 = []; assert(reverse(a1) == []); int[] a2 = [2]; assert(reverse(a2) == [2]); int[] a3 = [2,3]; assert(reverse(a3) == [3,2]); int[] a4 = [2,3,4]; assert(reverse(a4) == [4,3,2]); int[] a5 = [2,3,4,5]; assert(reverse(a5) == [5,4,3,2]); } unittest { //test toString/toChars. Identifier is a simple object that has a usable .toString import dmd.identifier : Identifier; import core.stdc.string : strcmp; auto array = Array!Identifier(); array.push(new Identifier("id1")); array.push(new Identifier("id2")); string expected = "[id1,id2]"; assert(array.toString == expected); assert(strcmp(array.toChars, expected.ptr) == 0); } /// Predicate to wrap a D function passed to `qsort` private template arraySortWrapper(T, alias fn) { pragma(mangle, "arraySortWrapper_" ~ T.mangleof ~ "_" ~ fn.mangleof) extern(C) int arraySortWrapper(scope const void* e1, scope const void* e2) nothrow { return fn(cast(const(T*))e1, cast(const(T*))e2); } } // Test sorting unittest { Array!(const(char)*) strings; strings.push("World"); strings.push("Foo"); strings.push("baguette"); strings.push("Avocado"); strings.push("Hello"); // Newer frontend versions will work with (e1, e2) and infer the type strings.sort!(function (scope const char** e1, scope const char** e2) => strcmp(*e1, *e2)); assert(strings[0] == "Avocado"); assert(strings[1] == "Foo"); assert(strings[2] == "Hello"); assert(strings[3] == "World"); assert(strings[4] == "baguette"); /// opCmp automatically supported static struct MyStruct { int a; int opCmp(const ref MyStruct other) const nothrow { // Reverse order return other.a - this.a; } } Array!MyStruct arr1; arr1.push(MyStruct(2)); arr1.push(MyStruct(4)); arr1.push(MyStruct(256)); arr1.push(MyStruct(42)); arr1.sort(); assert(arr1[0].a == 256); assert(arr1[1].a == 42); assert(arr1[2].a == 4); assert(arr1[3].a == 2); /// But only if user defined static struct OtherStruct { int a; static int pred (scope const OtherStruct* pe1, scope const OtherStruct* pe2) nothrow @nogc pure @safe { return pe1.a - pe2.a; } } static assert (!is(typeof(Array!(OtherStruct).init.sort()))); static assert (!is(typeof(Array!(OtherStruct).init.sort!pred))); } /** * Iterates the given array and calls the given callable for each element. * * Use this instead of `foreach` when the array may expand during iteration. * * Params: * callable = the callable to call for each element * array = the array to iterate * * See_Also: $(REF foreachDsymbol, dmd, dsymbol) */ template each(alias callable, T) if (is(ReturnType!(typeof((T t) => callable(t))) == void)) { void each(ref Array!T array) { // Do not use foreach, as the size of the array may expand during iteration for (size_t i = 0; i < array.length; ++i) callable(array[i]); } void each(Array!T* array) { if (array) each!callable(*array); } } /// @("iterate over an Array") unittest { static immutable expected = [2, 3, 4, 5]; Array!int array; foreach (e ; expected) array.push(e); int[] result; array.each!((e) { result ~= e; }); assert(result == expected); } @("iterate over a pointer to an Array") unittest { static immutable expected = [2, 3, 4, 5]; auto array = new Array!int; foreach (e ; expected) array.push(e); int[] result; array.each!((e) { result ~= e; }); assert(result == expected); } @("iterate while appending to the array being iterated") unittest { static immutable expected = [2, 3, 4, 5]; Array!int array; foreach (e ; expected[0 .. $ - 1]) array.push(e); int[] result; array.each!((e) { if (e == 2) array.push(5); result ~= e; }); assert(array[] == expected); assert(result == expected); } /** * Iterates the given array and calls the given callable for each element. * * If `callable` returns `!= 0`, it will stop the iteration and return that * value, otherwise it will return 0. * * Use this instead of `foreach` when the array may expand during iteration. * * Params: * callable = the callable to call for each element * array = the array to iterate * * Returns: the last value returned by `callable` * See_Also: $(REF foreachDsymbol, dmd, dsymbol) */ template each(alias callable, T) if (is(ReturnType!(typeof((T t) => callable(t))) == int)) { int each(ref Array!T array) { // Do not use foreach, as the size of the array may expand during iteration for (size_t i = 0; i < array.length; ++i) { if (const result = callable(array[i])) return result; } return 0; } int each(Array!T* array) { return array ? each!callable(*array) : 0; } } /// @("iterate over an Array and stop the iteration") unittest { Array!int array; foreach (e ; [2, 3, 4, 5]) array.push(e); int[] result; const returnValue = array.each!((e) { result ~= e; if (e == 3) return 8; return 0; }); assert(result == [2, 3]); assert(returnValue == 8); } @("iterate over an Array") unittest { static immutable expected = [2, 3, 4, 5]; Array!int array; foreach (e ; expected) array.push(e); int[] result; const returnValue = array.each!((e) { result ~= e; return 0; }); assert(result == expected); assert(returnValue == 0); } @("iterate over a pointer to an Array and stop the iteration") unittest { auto array = new Array!int; foreach (e ; [2, 3, 4, 5]) array.push(e); int[] result; const returnValue = array.each!((e) { result ~= e; if (e == 3) return 9; return 0; }); assert(result == [2, 3]); assert(returnValue == 9); } @("iterate while appending to the array being iterated and stop the iteration") unittest { Array!int array; foreach (e ; [2, 3]) array.push(e); int[] result; const returnValue = array.each!((e) { if (e == 2) array.push(1); result ~= e; if (e == 1) return 7; return 0; }); static immutable expected = [2, 3, 1]; assert(array[] == expected); assert(result == expected); assert(returnValue == 7); } /// Returns: A static array constructed from `array`. pragma(inline, true) T[n] staticArray(T, size_t n)(auto ref T[n] array) { return array; } /// pure nothrow @safe @nogc unittest { enum a = [0, 1].staticArray; static assert(is(typeof(a) == int[2])); static assert(a == [0, 1]); } /// Returns: `true` if the two given ranges are equal bool equal(Range1, Range2)(Range1 range1, Range2 range2) { template isArray(T) { static if (is(T U : U[])) enum isArray = true; else enum isArray = false; } static if (isArray!Range1 && isArray!Range2 && is(typeof(range1 == range2))) return range1 == range2; else { static if (hasLength!Range1 && hasLength!Range2 && is(typeof(r1.length == r2.length))) { if (range1.length != range2.length) return false; } for (; !range1.empty; range1.popFront(), range2.popFront()) { if (range2.empty) return false; if (range1.front != range2.front) return false; } return range2.empty; } } /// pure nothrow @nogc @safe unittest { enum a = [ 1, 2, 4, 3 ].staticArray; static assert(!equal(a[], a[1..$])); static assert(equal(a[], a[])); // different types enum b = [ 1.0, 2, 4, 3].staticArray; static assert(!equal(a[], b[1..$])); static assert(equal(a[], b[])); } pure nothrow @safe unittest { static assert(equal([1, 2, 3].map!(x => x * 2), [1, 2, 3].map!(x => x * 2))); static assert(!equal([1, 2].map!(x => x * 2), [1, 2, 3].map!(x => x * 2))); } /** * Lazily filters the given range based on the given predicate. * * Returns: a range containing only elements for which the predicate returns * `true` */ auto filter(alias predicate, Range)(Range range) if (isInputRange!(Unqual!Range) && isPredicateOf!(predicate, ElementType!Range)) { return Filter!(predicate, Range)(range); } /// pure nothrow @safe @nogc unittest { enum a = [1, 2, 3, 4].staticArray; enum result = a[].filter!(e => e > 2); enum expected = [3, 4].staticArray; static assert(result.equal(expected[])); } private struct Filter(alias predicate, Range) { private Range range; private bool primed; private void prime() { if (primed) return; while (!range.empty && !predicate(range.front)) range.popFront(); primed = true; } @property bool empty() { prime(); return range.empty; } @property auto front() { assert(!range.empty); prime(); return range.front; } void popFront() { assert(!range.empty); prime(); do { range.popFront(); } while (!range.empty && !predicate(range.front)); } auto opSlice() { return this; } } /** * Lazily iterates the given range and calls the given callable for each element. * * Returns: a range containing the result of each call to `callable` */ auto map(alias callable, Range)(Range range) if (isInputRange!(Unqual!Range) && isCallableWith!(callable, ElementType!Range)) { return Map!(callable, Range)(range); } /// pure nothrow @safe @nogc unittest { enum a = [1, 2, 3, 4].staticArray; enum expected = [2, 4, 6, 8].staticArray; enum result = a[].map!(e => e * 2); static assert(result.equal(expected[])); } private struct Map(alias callable, Range) { private Range range; @property bool empty() { return range.empty; } @property auto front() { assert(!range.empty); return callable(range.front); } void popFront() { assert(!range.empty); range.popFront(); } static if (hasLength!Range) { @property auto length() { return range.length; } alias opDollar = length; } } /// Returns: the length of the given range. auto walkLength(Range)(Range range) if (isInputRange!Range ) { static if (hasLength!Range) return range.length; else { size_t result; for (; !range.empty; range.popFront()) ++result; return result; } } /// pure nothrow @safe @nogc unittest { enum a = [1, 2, 3, 4].staticArray; static assert(a[].walkLength == 4); enum c = a[].filter!(e => e > 2); static assert(c.walkLength == 2); } /// Evaluates to the element type of `R`. template ElementType(R) { static if (is(typeof(R.init.front.init) T)) alias ElementType = T; else alias ElementType = void; } /// Evaluates to `true` if the given type satisfy the input range interface. enum isInputRange(R) = is(typeof(R.init) == R) && is(ReturnType!(typeof((R r) => r.empty)) == bool) && is(typeof((return ref R r) => r.front)) && !is(ReturnType!(typeof((R r) => r.front)) == void) && is(typeof((R r) => r.popFront)); /// Evaluates to `true` if `func` can be called with a value of `T` and returns /// a value that is convertible to `bool`. enum isPredicateOf(alias func, T) = is(typeof((T t) => !func(t))); /// Evaluates to `true` if `func` be called withl a value of `T`. enum isCallableWith(alias func, T) = __traits(compiles, { auto _ = (T t) => func(t); }); private: template ReturnType(T) { static if (is(T R == return)) alias ReturnType = R; else static assert(false, "argument is not a function"); } alias Unqual(T) = ReturnType!(typeof((T t) => cast() t)); template hasLength(Range) { static if (is(typeof(((Range* r) => r.length)(null)) Length)) enum hasLength = is(Length == size_t); else enum hasLength = false; } /// Implements the range interface primitive `front` for built-in arrays. @property ref inout(T) front(T)(return scope inout(T)[] a) pure nothrow @nogc @safe { assert(a.length, "Attempting to fetch the front of an empty array of " ~ T.stringof); return a[0]; } /// pure nothrow @nogc @safe unittest { enum a = [1, 2, 3].staticArray; static assert(a[].front == 1); } /// Implements the range interface primitive `empty` for types that obey $(LREF hasLength) property @property bool empty(T)(auto ref scope T a) if (is(typeof(a.length) : size_t)) { return !a.length; } /// pure nothrow @nogc @safe unittest { enum a = [1, 2, 3].staticArray; static assert(!a.empty); static assert(a[3 .. $].empty); } pure nothrow @safe unittest { int[string] b; assert(b.empty); b["zero"] = 0; assert(!b.empty); } /// Implements the range interface primitive `popFront` for built-in arrays. void popFront(T)(/*scope*/ ref inout(T)[] array) pure nothrow @nogc @safe { // does not compile with GDC 9 if this is `scope` assert(array.length, "Attempting to popFront() past the end of an array of " ~ T.stringof); array = array[1 .. $]; } /// pure nothrow @nogc @safe unittest { auto a = [1, 2, 3].staticArray; auto b = a[]; auto expected = [2, 3].staticArray; b.popFront(); assert(b == expected[]); }
D
import std.stdio, std.array, std.string, std.conv, std.algorithm; import std.typecons, std.range, std.random, std.math, std.container; import std.numeric, std.bigint, core.bitop, core.stdc.string; const int[][] dr = [[-2, -2, -1, -1, 1, 1, 2, 2], [-1, -1, 1, 1]]; const int[][] dc = [[-1, 1, -2, 2, -2, 2, -1, 1], [-1, 1, -1, 1]]; void main() { auto s = readln.split.map!(to!int); auto H = s[0]; auto W = s[1]; auto A = H.iota.map!(_ => readln.chomp).array; int sr, sc, gr, gc; foreach (i; 0..H) { foreach (j; 0..W) { if (A[i][j] == 'S') { sr = i; sc = j; } else if (A[i][j] == 'G') { gr = i; gc = j; } } } auto dist = new int[][][](2, H, W); foreach (i; 0..2) foreach (j; 0..H) dist[i][j][] = 1 << 29; auto pq = new BinaryHeap!(Array!(Tuple!(int, int, int, int)), "a[3] > b[3]"); pq.insert(tuple(0, sr, sc, 0)); while (!pq.empty) { int k = pq.front[0]; int r = pq.front[1]; int c = pq.front[2]; int d = pq.front[3]; pq.removeFront; if (dist[k][r][c] <= d) continue; dist[k][r][c] = d; foreach (i; 0..dr[k].length) { int nr = r + dr[k][i]; int nc = c + dc[k][i]; if (nr < 0 || nr >= H || nc < 0 || nc >= W) continue; int nk = A[nr][nc] == 'R' ? k ^ 1 : k; int nd = d + 1; if (dist[nk][nr][nc] <= nd) continue; pq.insert(tuple(nk, nr, nc, nd)); } } int ans = min(dist[0][gr][gc], dist[1][gr][gc]); writeln(ans == 1 << 29 ? -1 : ans); }
D
module app; import std; import advent; void main(string[] args) { adventEntrypoint(args, &solve); writefln("Part 1: %s\nPart 2: %s", part1Answer, part2Answer); } enum ROWS = 128; enum COLUMNS = 8; size_t part1Answer; size_t part2Answer; void solve(string input) { ubyte[ROWS] seatOccupiedBitmask; size_t toIndex(size_t row, size_t col) { return (COLUMNS * row) + col; } foreach(line; input.lineSplitter) { int[2] rowVector = [0, ROWS]; int[2] colVector = [0, COLUMNS]; foreach(ch; line) { const rowDiff = rowVector[1] - rowVector[0]; const colDiff = colVector[1] - colVector[0]; switch(ch) { case 'F': rowVector[1] -= rowDiff / 2; break; case 'B': rowVector[0] += rowDiff / 2; break; case 'R': colVector[0] += colDiff / 2; break; case 'L': colVector[1] -= colDiff / 2; break; default: assert(false, ""~ch); } } debug rowVector[1]--; debug colVector[1]--; assert(rowVector[0] == rowVector[1], rowVector.to!string); assert(colVector[0] == colVector[1], colVector.to!string); const index = toIndex(rowVector[0], colVector[0]); if(index > part1Answer) part1Answer = index; seatOccupiedBitmask[rowVector[0]] |= (1 << colVector[0]); } writeln(seatOccupiedBitmask); bool foundFirst = false; foreach(i, mask; seatOccupiedBitmask) { if(mask == 0 || mask == 255) continue; if(!foundFirst) { foundFirst = true; continue; } size_t col; while(mask & 1) { col++; mask >>= 1; } part2Answer = (8 * i) + col; break; } }
D
// REQUIRED_ARGS: import std.math: poly; import core.stdc.stdarg; extern(C) { int printf(const char*, ...); version(Windows) { int _snprintf(char*, size_t, const char*, ...); alias _snprintf snprintf; } else int snprintf(char*, size_t, const char*, ...); } /*************************************/ // http://www.digitalmars.com/d/archives/digitalmars/D/bugs/4766.html // Only with -O real randx() { return 1.2; } void test1() { float x10=randx(); float x11=randx(); float x20=randx(); float x21=randx(); float y10=randx(); float y11=randx(); float y20=randx(); float y21=randx(); float tmp=( x20*x21 + y10*y10 + y10*y11 + y11*y11 + y11*y20 + y20*y20 + y10*y21 + y11*y21 + y21*y21); assert(tmp > 0); } /*************************************/ void test2() { double x10=randx(); double x11=randx(); double x20=randx(); double x21=randx(); double y10=randx(); double y11=randx(); double y20=randx(); double y21=randx(); double tmp=( x20*x21 + y10*y10 + y10*y11 + y11*y11 + y11*y20 + y20*y20 + y10*y21 + y11*y21 + y21*y21); assert(tmp > 0); } /*************************************/ void test3() { real x10=randx(); real x11=randx(); real x20=randx(); real x21=randx(); real y10=randx(); real y11=randx(); real y20=randx(); real y21=randx(); real tmp=( x20*x21 + y10*y10 + y10*y11 + y11*y11 + y11*y20 + y20*y20 + y10*y21 + y11*y21 + y21*y21); assert(tmp > 0); } /*************************************/ void test4() { printf("main() : (-128 >= 0)=%s, (-128 <= 0)=%s\n", cast(char*)(-128 >= 0 ? "true" : "false"), cast(char*)(-128 <= 0 ? "true" : "false")); printf("main() : (128 >= 0)=%s, (128 <= 0)=%s\n", cast(char*)(128 >= 0 ? "true" : "false"), cast(char*)(128 <= 0 ? "true" : "false")); assert((-128 >= 0 ? "true" : "false") == "false"), assert((-128 <= 0 ? "true" : "false") == "true"); assert((+128 >= 0 ? "true" : "false") == "true"), assert((+128 <= 0 ? "true" : "false") == "false"); } /*************************************/ int foo5() { assert(0); } // No return. int abc5() { printf("foo = %d\n", foo5()); return 0; } void test5() { } /*************************************/ void test6() { ireal a = 6.5i % 3i; printf("%Lfi %Lfi\n", a, a - .5i); assert(a == .5i); a = 6.5i % 3; printf("%Lfi %Lfi\n", a, a - .5i); assert(a == .5i); real b = 6.5 % 3i; printf("%Lf %Lf\n", b, b - .5); assert(b == .5); b = 6.5 % 3; printf("%Lf %Lf\n", b, b - .5); assert(b == .5); } /*************************************/ void test7() { cfloat f = 1+0i; f %= 2fi; printf("%f + %fi\n", f.re, f.im); assert(f == 1 + 0i); cdouble d = 1+0i; d %= 2i; printf("%f + %fi\n", d.re, d.im); assert(d == 1 + 0i); creal r = 1+0i; r %= 2i; printf("%Lf + %Lfi\n", r.re, r.im); assert(r == 1 + 0i); } /*************************************/ void test8() { cfloat f = 1+0i; f %= 2i; printf("%f + %fi\n", f.re, f.im); assert(f == 1); cdouble d = 1+0i; d = d % 2i; printf("%f + %fi\n", d.re, d.im); assert(d == 1); creal r = 1+0i; r = r % 2i; printf("%Lf + %Lfi\n", r.re, r.im); assert(r == 1); } /*************************************/ class A9 { this(int[] params ...) { for (int i = 0; i < params.length; i++) { assert(params[i] == i + 1); } } } class B9 { this() { init(); } private void init() { A9 test1 = new A9(1, 2, 3); A9 test2 = new A9(1, 2, 3, 4); int[3] arg; A9 test3 = new A9((arg[0]=1, arg[1]=2, arg[2]=3, arg)); } } void test9() { B9 test2 = new B9(); } /*************************************/ void test10() { auto i = 5u; auto s = typeid(typeof(i)).toString; printf("%.*s\n", s.length, s.ptr); assert(typeid(typeof(i)) == typeid(uint)); } /*************************************/ void test11() { printf("%d\n", 3); printf("xhello world!\n"); } /*************************************/ void assertEqual(real* a, real* b, string file = __FILE__, size_t line = __LINE__) { auto x = cast(ubyte*)a; auto y = cast(ubyte*)b; // Only compare the 10 value bytes, the padding bytes are of undefined // value. version (X86) enum count = 10; else version (X86_64) enum count = 10; else enum count = real.sizeof; for (size_t i = 0; i < count; i++) { if (x[i] != y[i]) { printf("%02d: %02x %02x\n", i, x[i], y[i]); import core.exception; throw new AssertError(file, line); } } } void assertEqual(creal* a, creal* b, string file = __FILE__, size_t line = __LINE__) { assertEqual(cast(real*)a, cast(real*)b, file, line); assertEqual(cast(real*)a + 1, cast(real*)b + 1, file, line); } void test12() { creal a = creal.nan; creal b = real.nan + ireal.nan; assertEqual(&a, &b); real c= real.nan; real d=a.re; assertEqual(&c, &d); d=a.im; assertEqual(&c, &d); } /*************************************/ void test13() { creal a = creal.infinity; creal b = real.infinity + ireal.infinity; assertEqual(&a, &b); real c = real.infinity; real d=a.re; assertEqual(&c, &d); d=a.im; assertEqual(&c, &d); } /*************************************/ void test14() { creal a = creal.nan; creal b = creal.nan; b = real.nan + ireal.nan; assertEqual(&a, &b); real c = real.nan; real d=a.re; assertEqual(&c, &d); d=a.im; assertEqual(&c, &d); } /*************************************/ ireal x15; void foo15() { x15 = -x15; } void bar15() { return foo15(); } void test15() { x15=2i; bar15(); assert(x15==-2i); } /*************************************/ real x16; void foo16() { x16 = -x16; } void bar16() { return foo16(); } void test16() { x16=2; bar16(); assert(x16==-2); } /*************************************/ class Bar17 { this(...) {} } class Foo17 { void opAdd (Bar17 b) {} } void test17() { auto f = new Foo17; f + new Bar17; } /*************************************/ template u18(int n) { static if (n==1) { int a = 1; } else int b = 4; } void test18() { mixin u18!(2); assert(b == 4); } /*************************************/ class DP { private: void I(char[] p) { I(p[1..p.length]); } } void test19() { } /*************************************/ struct Struct20 { int i; } void test20() { auto s = new Struct20; s.i = 7; } /*************************************/ class C21(float f) { float ff = f; } void test21() { auto a = new C21!(1.2); C21!(1.2) b = new C21!(1.2); } /*************************************/ void test22() { static creal[] params = [1+0i, 3+0i, 5+0i]; printf("params[0] = %Lf + %Lfi\n", params[0].re, params[0].im); printf("params[1] = %Lf + %Lfi\n", params[1].re, params[1].im); printf("params[2] = %Lf + %Lfi\n", params[2].re, params[2].im); creal[] sums = new creal[3]; sums[] = 0+0i; foreach(creal d; params) { creal prod = d; printf("prod = %Lf + %Lfi\n", prod.re, prod.im); for(int i; i<2; i++) { sums[i] += prod; prod *= d; } sums[2] += prod; } printf("sums[0] = %Lf + %Lfi", sums[0].re, sums[0].im); assert(sums[0].re==9); assert(sums[0].im==0); assert(sums[1].re==35); assert(sums[1].im==0); assert(sums[2].re==153); assert(sums[2].im==0); } /*************************************/ const int c23 = b23 * b23; const int a23 = 1; const int b23 = a23 * 3; template T23(int n) { int[n] x23; } mixin T23!(c23); void test23() { assert(x23.length==9); } /*************************************/ ifloat func_24_1(ifloat f, double d) { // f /= cast(cdouble)d; return f; } ifloat func_24_2(ifloat f, double d) { f = cast(ifloat)(f / cast(cdouble)d); return f; } float func_24_3(float f, double d) { // f /= cast(cdouble)d; return f; } float func_24_4(float f, double d) { f = cast(float)(f / cast(cdouble)d); return f; } void test24() { ifloat f = func_24_1(10i, 8); printf("%fi\n", f); // assert(f == 1.25i); f = func_24_2(10i, 8); printf("%fi\n", f); assert(f == 1.25i); float g = func_24_3(10, 8); printf("%f\n", g); // assert(g == 1.25); g = func_24_4(10, 8); printf("%f\n", g); assert(g == 1.25); } /*************************************/ template cat(int n) { const int dog = n; } const char [] bird = "canary"; const int sheep = cat!(bird.length).dog; void test25() { assert(sheep == 6); } /*************************************/ string toString26(cdouble z) { char[ulong.sizeof*8] buf; auto len = snprintf(buf.ptr, buf.sizeof, "%f+%fi", z.re, z.im); return buf[0 .. len].idup; } void test26() { static cdouble[] A = [1+0i, 0+1i, 1+1i]; string s; foreach( cdouble z; A ) { s = toString26(z); printf("%.*s ", s.length, s.ptr); } printf("\n"); for(int ii=0; ii<A.length; ii++ ) A[ii] += -1i*A[ii]; assert(A[0] == 1 - 1i); assert(A[1] == 1 + 1i); assert(A[2] == 2); foreach( cdouble z; A ) { s = toString26(z); printf("%.*s ", s.length, s.ptr); } printf("\n"); } /*************************************/ void test27() { int x; string s = (int*function(int ...)[]).mangleof; printf("%.*s\n", s.length, s.ptr); assert((int*function(int ...)[]).mangleof == "APFiXPi"); assert(typeof(x).mangleof == "i"); assert(x.mangleof == "_D6test226test27FZ1xi"); } /*************************************/ void test28() { alias cdouble X; X four = cast(X) (4.0i + 0.4); } /*************************************/ void test29() { ulong a = 10_000_000_000_000_000, b = 1_000_000_000_000_000; printf("test29\n%lx\n%lx\n%lx\n", a, b, a / b); assert((a / b) == 10); } static assert((10_000_000_000_000_000 / 1_000_000_000_000_000) == 10); /*************************************/ template chook(int n) { const int chook = 3; } template dog(alias f) { const int dog = chook!(f.mangleof.length); } class pig {} const int goose = dog!(pig); void test30() { printf("%d\n", goose); assert(goose == 3); } /*************************************/ template dog31(string sheep) { immutable string dog31 = "daschund"; } void test31() { string duck = dog31!("bird"[1..3]); assert(duck == "daschund"); } /*************************************/ struct particle { int active; /* Active (Yes/No) */ float life; /* Particle Life */ float fade; /* Fade Speed */ float r; /* Red Value */ float g; /* Green Value */ float b; /* Blue Value */ float x; /* X Position */ float y; /* Y Position */ float xi; /* X Direction */ float yi; /* Y Direction */ float xg; /* X Gravity */ float yg; /* Y Gravity */ } particle particles[10000]; void test32() { } /*************************************/ class Foo33 { template foo() { int foo() { return 6; } } } void test33() { Foo33 f = new Foo33; assert(f.foo!()() == 6); with (f) assert(foo!()() == 6); } /*************************************/ template dog34(string duck) { const int dog34 = 2; } void test34() { int aardvark = dog34!("cat" ~ "pig"); assert(aardvark == 2); } /*************************************/ class A35 { private bool quit; void halt() {quit = true;} bool isHalted() {return quit;} } void test35() { auto a = new A35; a.halt; // error here a.halt(); a.isHalted; // error here bool done = a.isHalted; if (a.isHalted) { } } /*************************************/ void test36() { bool q = (0.9 + 3.5L == 0.9L + 3.5L); assert(q); static assert(0.9 + 3.5L == 0.9L + 3.5L); assert(0.9 + 3.5L == 0.9L + 3.5L); } /*************************************/ abstract class Foo37(T) { void bar () { } } class Bar37 : Foo37!(int) { } void test37() { auto f = new Bar37; } /*************************************/ void test38() { auto s=`hello`; assert(s.length==5); assert(s[0]=='h'); assert(s[1]=='e'); assert(s[2]=='l'); assert(s[3]=='l'); assert(s[4]=='o'); } /*************************************/ void test39() { int value=1; string key = "eins"; int[char[]] array; array[key]=value; int* ptr = key in array; assert(value == *ptr); } /*************************************/ void test40() { auto s=r"hello"; assert(s.length==5); assert(s[0]=='h'); assert(s[1]=='e'); assert(s[2]=='l'); assert(s[3]=='l'); assert(s[4]=='o'); } /*************************************/ void test41() { version (Windows) { version(D_InlineAsm){ double a = 1.2; double b = 0.2; double c = 1.4; asm{ movq XMM0, a; movq XMM1, b; addsd XMM1, XMM0; movq c, XMM1; } a += b; b = a-c; b = (b>0) ? b : (-1 * b); assert(b < b.epsilon*4); } } } /*************************************/ const char[] tapir = "some horned animal"; const byte[] antelope = cast(byte []) tapir; void test42() { } /*************************************/ void test43() { string armadillo = "abc" ~ 'a'; assert(armadillo == "abca"); string armadillo2 = 'b' ~ "abc"; assert(armadillo2 == "babc"); } /*************************************/ const uint baboon44 = 3; const int monkey44 = 4; const ape44 = monkey44 * baboon44; void test44() { assert(ape44 == 12); } /*************************************/ class A45 { this() { b = new B(); b.x = 5; // illegal } class B { protected int x; } B b; } void test45() { } /*************************************/ class C46(T) { private T i; // or protected or package } void test46() { C46!(int) c = new C46!(int); // class t4.C46!(int).C46 member i is not accessible c.i = 10; } /*************************************/ void bug5809() { ushort[2] x = void; x[0] = 0; x[1] = 0x1234; ushort *px = &x[0]; uint b = px[0]; assert(px[0] == 0); } /*************************************/ void bug7546() { double p = -0.0; assert(p == 0); } /*************************************/ real poly_asm(real x, real[] A) in { assert(A.length > 0); } body { version (D_InlineAsm_X86) { version (linux) { asm // assembler by W. Bright { // EDX = (A.length - 1) * real.sizeof mov ECX,A[EBP] ; // ECX = A.length dec ECX ; lea EDX,[ECX][ECX*8] ; add EDX,ECX ; add EDX,ECX ; add EDX,ECX ; add EDX,A+4[EBP] ; fld real ptr [EDX] ; // ST0 = coeff[ECX] jecxz return_ST ; fld x[EBP] ; // ST0 = x fxch ST(1) ; // ST1 = x, ST0 = r align 4 ; L2: fmul ST,ST(1) ; // r *= x fld real ptr -12[EDX] ; sub EDX,12 ; // deg-- faddp ST(1),ST ; dec ECX ; jne L2 ; fxch ST(1) ; // ST1 = r, ST0 = x fstp ST(0) ; // dump x align 4 ; return_ST: ; ; } } else version (OSX) { asm // assembler by W. Bright { // EDX = (A.length - 1) * real.sizeof mov ECX,A[EBP] ; // ECX = A.length dec ECX ; lea EDX,[ECX*8] ; add EDX,EDX ; add EDX,A+4[EBP] ; fld real ptr [EDX] ; // ST0 = coeff[ECX] jecxz return_ST ; fld x[EBP] ; // ST0 = x fxch ST(1) ; // ST1 = x, ST0 = r align 4 ; L2: fmul ST,ST(1) ; // r *= x fld real ptr -16[EDX] ; sub EDX,16 ; // deg-- faddp ST(1),ST ; dec ECX ; jne L2 ; fxch ST(1) ; // ST1 = r, ST0 = x fstp ST(0) ; // dump x align 4 ; return_ST: ; ; } } else version (FreeBSD) { asm // assembler by W. Bright { // EDX = (A.length - 1) * real.sizeof mov ECX,A[EBP] ; // ECX = A.length dec ECX ; lea EDX,[ECX][ECX*8] ; add EDX,ECX ; add EDX,ECX ; add EDX,ECX ; add EDX,A+4[EBP] ; fld real ptr [EDX] ; // ST0 = coeff[ECX] jecxz return_ST ; fld x[EBP] ; // ST0 = x fxch ST(1) ; // ST1 = x, ST0 = r align 4 ; L2: fmul ST,ST(1) ; // r *= x fld real ptr -12[EDX] ; sub EDX,12 ; // deg-- faddp ST(1),ST ; dec ECX ; jne L2 ; fxch ST(1) ; // ST1 = r, ST0 = x fstp ST(0) ; // dump x align 4 ; return_ST: ; ; } } else { asm // assembler by W. Bright { // EDX = (A.length - 1) * real.sizeof mov ECX,A[EBP] ; // ECX = A.length dec ECX ; lea EDX,[ECX][ECX*8] ; add EDX,ECX ; add EDX,A+4[EBP] ; fld real ptr [EDX] ; // ST0 = coeff[ECX] jecxz return_ST ; fld x[EBP] ; // ST0 = x fxch ST(1) ; // ST1 = x, ST0 = r align 4 ; L2: fmul ST,ST(1) ; // r *= x fld real ptr -10[EDX] ; sub EDX,10 ; // deg-- faddp ST(1),ST ; dec ECX ; jne L2 ; fxch ST(1) ; // ST1 = r, ST0 = x fstp ST(0) ; // dump x align 4 ; return_ST: ; ; } } } else { printf("Sorry, you don't seem to have InlineAsm_X86\n"); return 0; } } real poly_c(real x, real[] A) in { assert(A.length > 0); } body { ptrdiff_t i = A.length - 1; real r = A[i]; while (--i >= 0) { r *= x; r += A[i]; } return r; } void test47() { real x = 3.1; static real pp[] = [56.1, 32.7, 6]; real r; printf("The result should be %Lf\n",(56.1L + (32.7L + 6L * x) * x)); printf("The C version outputs %Lf\n", poly_c(x, pp)); printf("The asm version outputs %Lf\n", poly_asm(x, pp)); printf("The std.math version outputs %Lf\n", poly(x, pp)); r = (56.1L + (32.7L + 6L * x) * x); assert(r == poly_c(x, pp)); version (D_InlineAsm_X86) assert(r == poly_asm(x, pp)); assert(r == poly(x, pp)); } /*************************************/ const c48 = 1uL-1; void test48() { assert(c48 == 0); } /*************************************/ template cat49() { static assert(1); // OK static if (1) { static assert(1); // doesn't work static if (1) { static assert(1); // OK const int cat49 = 3; } } } void test49() { const int a = cat49!(); assert(a == 3); } /*************************************/ void test50() { if (auto x = 1) { assert(typeid(typeof(x)) == typeid(int)); assert(x == 1); } else assert(0); if (int x = 1) { assert(typeid(typeof(x)) == typeid(int)); assert(x == 1); } else assert(0); if (1) { } else assert(0); } /*************************************/ void test51() { bool b; assert(b == false); b &= 1; assert(b == false); b |= 1; assert(b == true); b ^= 1; assert(b == false); b = b | true; assert(b == true); b = b & false; assert(b == false); b = b ^ true; assert(b == true); b = !b; assert(b == false); } /*************************************/ alias int function (int) x52; template T52(string str){ const int T52 = 1; } static assert(T52!(x52.mangleof)); void test52() { } /*************************************/ import std.stdio; import core.stdc.stdarg; void myfunc(int a1, ...) { va_list argument_list; TypeInfo argument_type; string sa; int ia; double da; writefln("%d variable arguments", _arguments.length); writefln("argument types %s", _arguments); va_start(argument_list, a1); for (int i = 0; i < _arguments.length; ) { if ((argument_type=_arguments[i++]) == typeid(string)) { va_arg(argument_list, sa); writefln("%d) string arg = '%s', length %d", i+1, sa.length<=20? sa : "?", sa.length); } else if (argument_type == typeid(int)) { va_arg(argument_list, ia); writefln("%d) int arg = %d", i+1, ia); } else if (argument_type == typeid(double)) { va_arg(argument_list, da); writefln("%d) double arg = %f", i+1, da); } else { throw new Exception("invalid argument type"); } } va_end(argument_list); } void test6758() { myfunc(1, 2, 3, 4, 5, 6, 7, 8, "9", "10"); // Fails. myfunc(1, 2.0, 3, 4, 5, 6, 7, 8, "9", "10"); // Works OK. myfunc(1, 2, 3, 4, 5, 6, 7, "8", "9", "10"); // Works OK. myfunc(1, "2", 3, 4, 5, 6, 7, 8, "9", "10"); // Works OK. } /*************************************/ int main() { test1(); test2(); test3(); test4(); test5(); test6(); test7(); test8(); test9(); test10(); test11(); test12(); test13(); test14(); test15(); test16(); test17(); test18(); test19(); test20(); test21(); test22(); test23(); test24(); test25(); test26(); test27(); test28(); test29(); test30(); test31(); test32(); test33(); test34(); test35(); test36(); test37(); test38(); test39(); test40(); test41(); test42(); test43(); test44(); test45(); test46(); bug5809(); bug7546(); test47(); test48(); test49(); test50(); test51(); test52(); test6758(); printf("Success\n"); return 0; }
D
# FIXED F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/source/F2837xD_PieCtrl.c F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_device.h F2837xD_PieCtrl.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/assert.h F2837xD_PieCtrl.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/linkage.h F2837xD_PieCtrl.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/stdarg.h F2837xD_PieCtrl.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/stdbool.h F2837xD_PieCtrl.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/stddef.h F2837xD_PieCtrl.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/stdint.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_adc.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_analogsubsys.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_cla.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_cmpss.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_cputimer.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_dac.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_dcsm.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_dma.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_ecap.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_emif.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_epwm.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_epwm_xbar.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_eqep.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_flash.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_gpio.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_i2c.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_input_xbar.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_ipc.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_mcbsp.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_memconfig.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_nmiintrupt.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_output_xbar.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_piectrl.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_pievect.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_sci.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_sdfm.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_spi.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_sysctrl.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_upp.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_xbar.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_xint.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_can.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Examples.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_GlobalPrototypes.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_cputimervars.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Cla_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_EPwm_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Adc_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Emif_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Gpio_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_I2c_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Ipc_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Pie_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Dma_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_SysCtrl_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Upp_defines.h F2837xD_PieCtrl.obj: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_defaultisr.h C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/source/F2837xD_PieCtrl.c: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_device.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/assert.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/linkage.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/stdarg.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/stdbool.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/stddef.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_16.9.8.LTS/include/stdint.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_adc.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_analogsubsys.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_cla.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_cmpss.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_cputimer.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_dac.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_dcsm.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_dma.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_ecap.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_emif.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_epwm.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_epwm_xbar.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_eqep.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_flash.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_gpio.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_i2c.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_input_xbar.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_ipc.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_mcbsp.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_memconfig.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_nmiintrupt.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_output_xbar.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_piectrl.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_pievect.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_sci.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_sdfm.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_spi.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_sysctrl.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_upp.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_xbar.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_xint.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/headers/include/F2837xD_can.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Examples.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_GlobalPrototypes.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_cputimervars.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Cla_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_EPwm_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Adc_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Emif_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Gpio_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_I2c_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Ipc_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Pie_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Dma_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_SysCtrl_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_Upp_defines.h: C:/ti/C2000Ware_1_00_05_00_Software/device_support/f2837xd/common/include/F2837xD_defaultisr.h:
D
// Modified from the GDC distribution for Project XANA module std.asserterror; import gc; import std.c.stdio; //import std.c.stdlib; class AssertError : Error { uint linnum; char[] filename; this(char[] filename, uint linnum) { this(filename, linnum, null); } this(char[] filename, uint linnum, char[] msg) { this.linnum = linnum; this.filename = filename; char* buffer; size_t len; int count; /* This code is careful to not use gc allocated memory, * as that may be the source of the problem. * Instead, stick with C functions. */ len = 23 + filename.length + uint.sizeof * 3 + msg.length + 1; buffer = cast(char*)gc.gc.malloc(len); if (buffer == null) super("AssertError no memory"); else { version (Win32) alias _snprintf snprintf; count = 0; if (count >= len || count == -1) { super("AssertError internal failure"); gc.gc.free(buffer); } else super(buffer[0 .. count]); } } ~this() { if (msg.ptr && msg[12] == 'F') // if it was allocated with malloc() { gc.gc.free(msg.ptr); msg = null; } } } /******************************************** * Called by the compiler generated module assert function. * Builds an AssertError exception and throws it. */ extern (C) static void _d_assert(char[] filename, uint line) { //printf("_d_assert(%s, %d)\n", cast(char *)filename, line); AssertError a = new AssertError(filename, line); //printf("assertion %p created\n", a); throw a; } extern (C) static void _d_assert_msg(char[] msg, char[] filename, uint line) { //printf("_d_assert_msg(%s, %d)\n", cast(char *)filename, line); AssertError a = new AssertError(filename, line, msg); //printf("assertion %p created\n", a); throw a; }
D
/******************************************************************************* copyright: Copyright (c) 2009 Kris. All rights reserved. license: BSD style: $(LICENSE) version: Oct 2009: Initial release author: Kris *******************************************************************************/ module mambo.arguments.internal.Arguments; private import tango.text.Util; private import tango.util.container.more.Stack; version=dashdash; // -- everything assigned to the null argument /******************************************************************************* Command-line argument parser. Simple usage is: --- auto args = new Arguments; args.parse ("-a -b", true); auto a = args("a"); auto b = args("b"); if (a.set && b.set) ... --- Argument parameters are assigned to the last known target, such that multiple parameters accumulate: --- args.parse ("-a=1 -a=2 foo", true); assert (args('a').assigned().length is 3); --- That example results in argument 'a' assigned three parameters. Two parameters are explicitly assigned using '=', while a third is implicitly assigned(). Implicit parameters are often useful for collecting filenames or other parameters without specifying the associated argument: --- args.parse ("thisfile.txt thatfile.doc -v", true); assert (args(null).assigned().length is 2); --- The 'null' argument is always defined and acts as an accumulator for parameters left uncaptured by other arguments. In the above instance it was assigned both parameters. Examples thus far have used 'sloppy' argument declaration, via the second argument of parse() being set true. This allows the parser to create argument declaration on-the-fly, which can be handy for trivial usage. However, most features require the a- priori declaration of arguments: --- args = new Arguments; args('x').required; if (! args.parse("-x")) // x not supplied! --- Sloppy arguments are disabled in that example, and a required argument 'x' is declared. The parse() method will fail if the pre-conditions are not fully met. Additional qualifiers include specifying how many parameters are allowed for each individual argument, default parameters, whether an argument requires the presence or exclusion of another, etc. Qualifiers are typically chained together and the following example shows argument "foo" being made required, with one parameter, aliased to 'f', and dependent upon the presence of another argument "bar": --- args("foo").required.params(1).aliased('f').requires("bar"); args("help").aliased('?').aliased('h'); --- Parameters can be constrained to a set of matching text values, and the parser will fail on mismatched input: --- args("greeting").restrict("hello", "yo", "gday"); args("enabled").restrict("true", "false", "t", "f", "y", "n"); --- A set of declared arguments may be configured in this manner and the parser will return true only where all conditions are met. Where a error condition occurs you may traverse the set of arguments to find out which argument has what error. This can be handled like so, where arg.error holds a defined code: --- if (! args.parse (...)) foreach (arg; args) if (arg.error) ... --- Error codes are as follows: --- None: ok (zero) ParamLo: too few params for an argument ParamHi: too many params for an argument Required: missing argument is required Requires: depends on a missing argument Conflict: conflicting argument is present Extra: unexpected argument (see sloppy) Option: parameter does not match options --- A simpler way to handle errors is to invoke an internal format routine, which constructs error messages on your behalf: --- if (! args.parse (...)) stderr (args.errors(&stderr.layout.sprint)); --- Note that messages are constructed via a layout handler and the messages themselves may be customized (for i18n purposes). See the two errors() methods for more information on this. The parser make a distinction between a short and long prefix, in that a long prefix argument is always distinct while short prefix arguments may be combined as a shortcut: --- args.parse ("--foo --bar -abc", true); assert (args("foo").set); assert (args("bar").set); assert (args("a").set); assert (args("b").set); assert (args("c").set); --- In addition, short-prefix arguments may be "smushed" with an associated parameter when configured to do so: --- args('o').params(1).smush; if (args.parse ("-ofile")) assert (args('o').assigned()[0] == "file"); --- There are two callback varieties supports, where one is invoked when an associated argument is parsed and the other is invoked as parameters are assigned(). See the bind() methods for delegate signature details. You may change the argument prefix to be something other than "-" and "--" via the constructor. You might, for example, need to specify a "/" indicator instead, and use ':' for explicitly assigning parameters: --- auto args = new Args ("/", "-", ':'); args.parse ("-foo:param -bar /abc"); assert (args("foo").set); assert (args("bar").set); assert (args("a").set); assert (args("b").set); assert (args("c").set); assert (args("foo").assigned().length is 1); --- Returning to an earlier example we can declare some specifics: --- args('v').params(0); assert (args.parse (`-v thisfile.txt thatfile.doc`)); assert (args(null).assigned().length is 2); --- Note that the -v flag is now in front of the implicit parameters but ignores them because it is declared to consume none. That is, implicit parameters are assigned to arguments from right to left, according to how many parameters said arguments may consume. Each sloppy argument consumes parameters by default, so those implicit parameters would have been assigned to -v without the declaration shown. On the other hand, an explicit assignment (via '=') always associates the parameter with that argument even when an overflow would occur (though will cause an error to be raised). Certain parameters are used for capturing comments or other plain text from the user, including whitespace and other special chars. Such parameter values should be quoted on the commandline, and be assigned explicitly rather than implicitly: --- args.parse (`--comment="-- a comment --"`); --- Without the explicit assignment, the text content might otherwise be considered the start of another argument (due to how argv/argc values are stripped of original quotes). Lastly, all subsequent text is treated as paramter-values after a "--" token is encountered. This notion is applied by unix systems to terminate argument processing in a similar manner. Such values are considered to be implicit, and are assigned to preceding args in the usual right to left fashion (or to the null argument): --- args.parse (`-- -thisfile --thatfile`); assert (args(null).assigned().length is 2); --- *******************************************************************************/ class Arguments { public alias get opCall; // args("name") public alias get opIndex; // args["name"] public bool passThrough; private Stack!(Argument) stack; // args with params Argument[const(char)[]] args; // the set of args private Argument[const(char)[]] aliases; // set of aliases private char eq; // '=' or ':' private const(char)[] sp, // short prefix lp; // long prefix private const(char[])[] msgs = errmsg; // error messages private static const const(char[])[] errmsg = // default errors [ "argument '{0}' expects {2} parameter(s) but has {1}\n", "argument '{0}' expects {3} parameter(s) but has {1}\n", "argument '{0}' is missing\n", "argument '{0}' requires '{4}'\n", "argument '{0}' conflicts with '{4}'\n", "unexpected argument '{0}'\n", "argument '{0}' expects one of {5}\n", "invalid parameter for argument '{0}': {4}\n", ]; /*********************************************************************** Construct with the specific short & long prefixes, and the given assignment character (typically ':' on Windows but we set the defaults to look like unix instead) ***********************************************************************/ this (const(char)[] sp="-", const(char)[] lp="--", char eq='=') { this.sp = sp; this.lp = lp; this.eq = eq; get(null).params(); // set null argument to consume params } /*********************************************************************** Parse string[] into a set of Argument instances. The 'sloppy' option allows for unexpected arguments without error. Returns false where an error condition occurred, whereupon the arguments should be traversed to discover said condition(s): --- auto args = new Arguments; if (! args.parse (...)) stderr (args.errors(&stderr.layout.sprint)); --- ***********************************************************************/ final bool parse (const(char)[] input, bool sloppy=false) { const(char[])[] tmp; foreach (s; quotes(input, " ")) tmp ~= s; return parse (tmp, sloppy); } /*********************************************************************** Parse a string into a set of Argument instances. The 'sloppy' option allows for unexpected arguments without error. Returns false where an error condition occurred, whereupon the arguments should be traversed to discover said condition(s): --- auto args = new Arguments; if (! args.parse (...)) Stderr (args.errors(&Stderr.layout.sprint)); --- ***********************************************************************/ final bool parse (const(char[])[] input, bool sloppy=false) { bool done; int error; debug(Arguments) stdout.formatln ("\ncmdline: '{}'", input); stack.push (get(null)); foreach (s; input) { debug(Arguments) stdout.formatln ("'{}'", s); if (done is false) { if (s == "--") {done=true; version(dashdash){stack.clear().push(get(null));} continue;} else if (argument (s, lp, sloppy, false) || argument (s, sp, sloppy, true)) continue; } stack.top.append (s); } foreach (arg; args) error |= arg.valid(); return error is 0; } /*********************************************************************** Clear parameter assignments, flags and errors. Note this does not remove any Arguments ***********************************************************************/ final Arguments clear () { stack.clear(); foreach (arg; args) { arg.set = false; arg.values = null; arg.error = arg.None; } return this; } /*********************************************************************** Obtain an argument reference, creating an new instance where necessary. Use array indexing or opCall syntax if you prefer ***********************************************************************/ final Argument get (char name) { return get ((&name)[0..1]); } /*********************************************************************** Obtain an argument reference, creating an new instance where necessary. Use array indexing or opCall syntax if you prefer. Pass null to access the 'default' argument (where unassigned implicit parameters are gathered) ***********************************************************************/ final Argument get (const(char)[] name) { auto a = name in args; if (a is null) {name=name.dup; return args[name] = new Argument(name);} return *a; } /*********************************************************************** Traverse the set of arguments ***********************************************************************/ final int opApply (scope int delegate(ref Argument) dg) { int result; foreach (arg; args) if ((result=dg(arg)) != 0) break; return result; } /*********************************************************************** Construct a string of error messages, using the given delegate to format the output. You would typically pass the system formatter here, like so: --- auto msgs = args.errors (&stderr.layout.sprint); --- The messages are replacable with custom (i18n) versions instead, using the errors(char[][]) method ***********************************************************************/ final char[] errors (char[] delegate(char[] buf, const(char)[] fmt, ...) dg) { char[256] tmp; char[] result; foreach (arg; args) { if (arg.error) result ~= dg (tmp, msgs[arg.error-1], arg.name, arg.values.length, arg.min, arg.max, arg.bogus, arg.options); } return result; } /*********************************************************************** Use this method to replace the default error messages. Note that arguments are passed to the formatter in the following order, and these should be indexed appropriately by each of the error messages (see examples in errmsg above): --- index 0: the argument name index 1: number of parameters index 2: configured minimum parameters index 3: configured maximum parameters index 4: conflicting/dependent argument (or invalid param) index 5: array of configured parameter options --- ***********************************************************************/ final Arguments errors (const(char[])[] errors) { if (errors.length is errmsg.length) msgs = errors; else assert (false); return this; } /*********************************************************************** Expose the configured set of help text, via the given delegate ***********************************************************************/ final Arguments help (scope void delegate(const(char)[] arg, const(char)[] help) dg) { foreach (arg; args) if (arg.text.ptr) dg (arg.name, arg.text); return this; } /*********************************************************************** Test for the presence of a switch (long/short prefix) and enable the associated arg where found. Also look for and handle explicit parameter assignment ***********************************************************************/ private bool argument (const(char)[] s, const(char)[] p, bool sloppy, bool flag) { if (s.length >= p.length && s[0..p.length] == p) { auto str = s; s = s [p.length..$]; if (passThrough && !(s in args) && !(s in aliases)) return false; else { auto i = locate (s, eq); if (i < s.length) enable (s[0..i], sloppy, flag).append (s[i+1..$], true); else // trap empty arguments; attach as param to null-arg if (s.length) enable (s, sloppy, flag); else get(null).append (p, true); return true; } } return false; } /*********************************************************************** Indicate the existance of an argument, and handle sloppy options along with multiple-flags and smushed parameters. Note that sloppy arguments are configured with parameters enabled. ***********************************************************************/ private Argument enable (const(char)[] elem, bool sloppy, bool flag=false) { if (flag && elem.length > 1) { // locate arg for first char auto arg = enable (elem[0..1], sloppy); elem = elem[1..$]; // drop further processing of this flag where in error if (arg.error is arg.None) { // smush remaining text or treat as additional args if (arg.cat) arg.append (elem, true); else arg = enable (elem, sloppy, true); } return arg; } // if not in args, or in aliases, then create new arg auto a = elem in args; if (a is null) if ((a = elem in aliases) is null) return get(elem).params().enable(!sloppy); return a.enable(); } /*********************************************************************** A specific argument instance. You get one of these from Arguments.get() and visit them via Arguments.opApply() ***********************************************************************/ class Argument { /*************************************************************** Error identifiers: --- None: ok ParamLo: too few params for an argument ParamHi: too many params for an argument Required: missing argument is required Requires: depends on a missing argument Conflict: conflicting argument is present Extra: unexpected argument (see sloppy) Option: parameter does not match options --- ***************************************************************/ enum {None, ParamLo, ParamHi, Required, Requires, Conflict, Extra, Option, Invalid}; alias void delegate() Invoker; alias const(char)[] delegate(const(char)[] value) Inspector; public int min, /// minimum params max, /// maximum params error; /// error condition public bool set; /// arg is present public char[] aliases; /// Array of aliases private bool req, // arg is required cat, // arg is smushable exp, // implicit params fail; // fail the parse public const(char)[] name, // arg name text; // help text private const(char)[] bogus; // name of conflict private const(char)[][] values, // assigned values options, // validation options deefalts; // configured defaults private Invoker invoker; // invocation callback private Inspector inspector; // inspection callback private Argument[] dependees, // who we require conflictees; // who we conflict with private const(char)[] delegate () lazyDefault; /*************************************************************** Create with the given name ***************************************************************/ this (const(char)[] name) { this.name = name; } /*************************************************************** Return the name of this argument ***************************************************************/ override immutable(char)[] toString() { return name.idup; } /*************************************************************** return the assigned parameters, or the defaults if no parameters were assigned ***************************************************************/ final const(char[])[] assigned () { return values.length ? values : (lazyDefault ? [lazyDefault()] : deefalts); } /*************************************************************** Alias this argument with the given name. If you need long-names to be aliased, create the long-name first and alias it to a short one ***************************************************************/ final Argument aliased (char name) { this.outer.aliases[(&name)[0..1].idup] = this; this.aliases ~= name; return this; } /*************************************************************** Make this argument a requirement ***************************************************************/ @property final Argument required () { this.req = true; return this; } /*************************************************************** Set this argument to depend upon another ***************************************************************/ final Argument requires (Argument arg) { dependees ~= arg; return this; } /*************************************************************** Set this argument to depend upon another ***************************************************************/ final Argument requires (const(char)[] other) { return requires (this.outer.get(other)); } /*************************************************************** Set this argument to depend upon another ***************************************************************/ final Argument requires (char other) { return requires ((&other)[0..1]); } /*************************************************************** Set this argument to conflict with another ***************************************************************/ final Argument conflicts (Argument arg) { conflictees ~= arg; return this; } /*************************************************************** Set this argument to conflict with another ***************************************************************/ final Argument conflicts (const(char)[] other) { return conflicts (this.outer.get(other)); } /*************************************************************** Set this argument to conflict with another ***************************************************************/ final Argument conflicts (char other) { return conflicts ((&other)[0..1]); } /*************************************************************** Enable parameter assignment: 0 to 42 by default ***************************************************************/ final Argument params () { return params (0, 42); } /*************************************************************** Set an exact number of parameters required ***************************************************************/ final Argument params (int count) { return params (count, count); } /*************************************************************** Set both the minimum and maximum parameter counts ***************************************************************/ final Argument params (int min, int max) { this.min = min; this.max = max; return this; } /*************************************************************** Add another default parameter for this argument ***************************************************************/ final Argument defaults (const(char)[] values) { this.deefalts ~= values; return this; } final Argument defaults (scope const(char)[] delegate () value) { this.lazyDefault = value; return this; } /*************************************************************** Set an inspector for this argument, fired when a parameter is appended to an argument. Return null from the delegate when the value is ok, or a text string describing the issue to trigger an error ***************************************************************/ final Argument bind (Inspector inspector) { this.inspector = inspector; return this; } /*************************************************************** Set an invoker for this argument, fired when an argument declaration is seen ***************************************************************/ final Argument bind (Invoker invoker) { this.invoker = invoker; return this; } /*************************************************************** Enable smushing for this argument, where "-ofile" would result in "file" being assigned to argument 'o' ***************************************************************/ final Argument smush (bool yes=true) { cat = yes; return this; } /*************************************************************** Disable implicit arguments ***************************************************************/ @property final Argument explicit () { exp = true; return this; } /*************************************************************** Alter the title of this argument, which can be useful for naming the default argument ***************************************************************/ final Argument title (const(char)[] name) { this.name = name; return this; } /*************************************************************** Set the help text for this argument ***************************************************************/ final Argument help (const(char)[] text) { this.text = text; return this; } /*************************************************************** Fail the parse when this arg is encountered. You might use this for managing help text ***************************************************************/ final Argument halt () { this.fail = true; return this; } /*************************************************************** Restrict values to one of the given set ***************************************************************/ final Argument restrict (const(char[])[] options ...) { this.options = cast(const(char)[][])options; return this; } /*************************************************************** This arg is present, but set an error condition (Extra) when unexpected and sloppy is not enabled. Fires any configured invoker callback. ***************************************************************/ private Argument enable (bool unexpected=false) { this.set = true; if (max > 0) this.outer.stack.push(this); if (invoker) invoker(); if (unexpected) error = Extra; return this; } /*************************************************************** Append a parameter value, invoking an inspector as necessary ***************************************************************/ private void append (const(char)[] value, bool explicit=false) { Argument arg = this; // pop to an argument that can accept implicit parameters? if (explicit is false) for (auto s=&this.outer.stack; arg.exp && s.size>1; arg=s.top) s.pop(); arg.actually_append(value); // pop to an argument that can accept parameters for (auto s=&this.outer.stack; arg.values.length >= max && s.size>1; arg=s.top) s.pop(); } private void actually_append (const(char)[] value) { set = true; // needed for default assignments values ~= value; // append new value if (error is None) { if (inspector) if ((bogus = inspector(value)).length) error = Invalid; if (options.length) { error = Option; foreach (option; options) if (option == value) error = None; } } } /*************************************************************** Test and set the error flag appropriately ***************************************************************/ private int valid () { if (error is None) { if (req && !set) error = Required; else if (set) { // short circuit? if (fail) return -1; if (values.length < min) error = ParamLo; else if (values.length > max) error = ParamHi; else { foreach (arg; dependees) if (! arg.set) error = Requires, bogus=arg.name; foreach (arg; conflictees) if (arg.set) error = Conflict, bogus=arg.name; } } } debug(Arguments) stdout.formatln ("{}: error={}, set={}, min={}, max={}, " ~ "req={}, values={}, defaults={}, requires={}", name, error, set, min, max, req, values, deefalts, dependees); return error; } } } /******************************************************************************* *******************************************************************************/ debug(UnitTest) { unittest { auto args = new Arguments; // basic auto x = args['x']; assert (args.parse ("")); x.required; assert (args.parse ("") is false); assert (args.clear().parse ("-x")); assert (x.set); // alias x.aliased('X'); assert (args.clear().parse ("-X")); assert (x.set); // unexpected arg (with sloppy) assert (args.clear().parse ("-y") is false); assert (args.clear().parse ("-y") is false); assert (args.clear().parse ("-y", true) is false); assert (args['y'].set); assert (args.clear().parse ("-x -y", true)); // parameters x.params(0); assert (args.clear().parse ("-x param")); assert (x.assigned().length is 0); assert (args(null).assigned().length is 1); x.params(1); assert (args.clear().parse ("-x=param")); assert (x.assigned().length is 1); assert (x.assigned()[0] == "param"); assert (args.clear().parse ("-x param")); assert (x.assigned().length is 1); assert (x.assigned()[0] == "param"); // too many args x.params(1); assert (args.clear().parse ("-x param1 param2")); assert (x.assigned().length is 1); assert (x.assigned()[0] == "param1"); assert (args(null).assigned().length is 1); assert (args(null).assigned()[0] == "param2"); // now with default params assert (args.clear().parse ("param1 param2 -x=blah")); assert (args[null].assigned().length is 2); assert (args(null).assigned().length is 2); assert (x.assigned().length is 1); x.params(0); assert (!args.clear().parse ("-x=blah")); // args as parameter assert (args.clear().parse ("- -x")); assert (args[null].assigned().length is 1); assert (args[null].assigned()[0] == "-"); // multiple flags, with alias and sloppy assert (args.clear().parse ("-xy")); assert (args.clear().parse ("-xyX")); assert (x.set); assert (args['y'].set); assert (args.clear().parse ("-xyz") is false); assert (args.clear().parse ("-xyz", true)); auto z = args['z']; assert (z.set); // multiple flags with trailing arg assert (args.clear().parse ("-xyz=10")); assert (z.assigned().length is 1); // again, but without sloppy param declaration z.params(0); assert (!args.clear().parse ("-xyz=10")); assert (args.clear().parse ("-xzy=10")); assert (args('y').assigned().length is 1); assert (args('x').assigned().length is 0); assert (args('z').assigned().length is 0); // x requires y x.requires('y'); assert (args.clear().parse ("-xy")); assert (args.clear().parse ("-xz") is false); // defaults z.defaults("foo"); assert (args.clear().parse ("-xy")); assert (z.assigned().length is 1); // long names, with params assert (args.clear().parse ("-xy --foobar") is false); assert (args.clear().parse ("-xy --foobar", true)); assert (args["y"].set && x.set); assert (args["foobar"].set); assert (args.clear().parse ("-xy --foobar=10")); assert (args["foobar"].assigned().length is 1); assert (args["foobar"].assigned()[0] == "10"); // smush argument z, but not others z.params(); assert (args.clear().parse ("-xy -zsmush") is false); assert (x.set); z.smush(); assert (args.clear().parse ("-xy -zsmush")); assert (z.assigned().length is 1); assert (z.assigned()[0] == "smush"); assert (x.assigned().length is 0); z.params(0); // conflict x with z x.conflicts(z); assert (args.clear().parse ("-xyz") is false); // word mode, with prefix elimination args = new Arguments (null, null); assert (args.clear().parse ("foo bar wumpus") is false); assert (args.clear().parse ("foo bar wumpus wombat", true)); assert (args("foo").set); assert (args("bar").set); assert (args("wumpus").set); assert (args("wombat").set); // use '/' instead of '-' args = new Arguments ("/", "/"); assert (args.clear().parse ("/foo /bar /wumpus") is false); assert (args.clear().parse ("/foo /bar /wumpus /wombat", true)); assert (args("foo").set); assert (args("bar").set); assert (args("wumpus").set); assert (args("wombat").set); // use '/' for short and '-' for long args = new Arguments ("/", "-"); assert (args.clear().parse ("-foo -bar -wumpus -wombat /abc", true)); assert (args("foo").set); assert (args("bar").set); assert (args("wumpus").set); assert (args("wombat").set); assert (args("a").set); assert (args("b").set); assert (args("c").set); // "--" makes all subsequent be implicit parameters args = new Arguments; version (dashdash) { args('f').params(0); assert (args.parse ("-f -- -bar -wumpus -wombat --abc")); assert (args('f').assigned().length is 0); assert (args(null).assigned().length is 4); } else { args('f').params(2); assert (args.parse ("-f -- -bar -wumpus -wombat --abc")); assert (args('f').assigned().length is 2); assert (args(null).assigned().length is 2); } } } /******************************************************************************* *******************************************************************************/ debug (Arguments) { import tango.io.Stdout; void main() { char[] crap = "crap"; auto args = new Arguments; args(null).title("root").params.help("root help"); args('x').aliased('X').params(0).required.help("x help"); args('y').defaults("hi").params(2).smush.explicit.help("y help"); args('a').required.defaults("hi").requires('y').params(1).help("a help"); args("foobar").params(2).help("foobar help"); if (! args.parse ("'one =two' -xa=bar -y=ff -yss --foobar=blah1 --foobar barf blah2 -- a b c d e")) stdout (args.errors(&stdout.layout.sprint)); else if (args.get('x')) args.help ((char[] a, char[] b){Stdout.formatln ("{}{}\n\t{}", args.lp, a, b);}); } }
D
a = 1 + 2 * 4 b = a + 100 c = "hello" + " world" d = 1.02 e = a + d f = [1,2,3,4] func add(a, b) { c0 = a + b d0 = c0 + 1 c return c + 1 } m = add(100, 200) func add_n(x) { return func(y) { return x + y } } add88 = add_n(88) n = add88(100) n
D
instance DMT_1299_OberDementor_DI(Npc_Default) { name[0] = "Black Magician"; guild = GIL_DMT; id = 1299; voice = 9; flags = 0; npcType = npctype_main; aivar[AIV_EnemyOverride] = TRUE; aivar[AIV_MagicUser] = MAGIC_ALWAYS; bodyStateInterruptableOverride = TRUE; B_SetAttributesToChapter(self,6); fight_tactic = FAI_HUMAN_STRONG; B_CreateAmbientInv(self); CreateInvItems(self,ItWr_LastDoorToUndeadDrgDI_MIS,1); CreateInvItems(self,ItKe_ChestMasterDementor_MIS,1); B_SetNpcVisual(self,MALE,"Hum_Head_Bald",Face_N_MadPsi,BodyTex_N,ITAR_Xardas); Mdl_SetModelFatness(self,0); Mdl_ApplyOverlayMds(self,"Humans_Mage.mds"); B_GiveNpcTalents(self); B_SetFightSkills(self,90); daily_routine = Rtn_Start_1299; }; func void Rtn_Start_1299() { TA_Stand_Dementor(8,0,23,0,"DI_SCHWARZMAGIER"); TA_Stand_Dementor(23,0,8,0,"DI_SCHWARZMAGIER"); };
D
/Users/obuchiyuki/Desktop/SaftyDrive/Build/Intermediates/SafetyDrive.build/Debug-iphoneos/SaftyDrive.build/Objects-normal/arm64/MKCardView.o : /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSnackbar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMMenu.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMTip.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKImageView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/etc.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKColor.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKNavigationBar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSwitch.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCollectionViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingCellViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLayer.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKActivityIndicator.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMReachability.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedMainControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMNavigationViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingDataController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedDrawerControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKRefreshControl.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSideDrawerViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCardView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTextField.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTableViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/ViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMAlertController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/swiftyJSON.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLabel.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKButton.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/AppDelegate.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMHorizontalMenu.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule /Users/obuchiyuki/Desktop/SaftyDrive/Build/Intermediates/SafetyDrive.build/Debug-iphoneos/SaftyDrive.build/Objects-normal/arm64/MKCardView~partial.swiftmodule : /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSnackbar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMMenu.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMTip.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKImageView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/etc.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKColor.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKNavigationBar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSwitch.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCollectionViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingCellViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLayer.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKActivityIndicator.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMReachability.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedMainControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMNavigationViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingDataController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedDrawerControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKRefreshControl.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSideDrawerViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCardView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTextField.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTableViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/ViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMAlertController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/swiftyJSON.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLabel.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKButton.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/AppDelegate.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMHorizontalMenu.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule /Users/obuchiyuki/Desktop/SaftyDrive/Build/Intermediates/SafetyDrive.build/Debug-iphoneos/SaftyDrive.build/Objects-normal/arm64/MKCardView~partial.swiftdoc : /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSnackbar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMMenu.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMTip.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKImageView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/etc.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKColor.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKNavigationBar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSwitch.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCollectionViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingCellViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLayer.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKActivityIndicator.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMReachability.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedMainControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMNavigationViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingDataController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedDrawerControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKRefreshControl.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSideDrawerViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCardView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTextField.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTableViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/ViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMAlertController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/swiftyJSON.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLabel.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKButton.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/AppDelegate.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMHorizontalMenu.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule
D
module wx.MaximizeEvent; public import wx.common; public import wx.Event; //! \cond EXTERN static extern (C) IntPtr wxMaximizeEvent_ctor(int Id); //! \endcond //----------------------------------------------------------------------------- alias MaximizeEvent wxMaximizeEvent; public class MaximizeEvent : Event { public this(IntPtr wxobj) ; public this(int Id = 0); private static Event New(IntPtr obj) ; static this() { AddEventType(wxEVT_MAXIMIZE, &MaximizeEvent.New); } }
D
module core.internal.arrayop; import core.internal.traits : Filter, staticMap, TypeTuple, Unqual; version (GNU) version = GNU_OR_LDC; version (LDC) version = GNU_OR_LDC; /** * Perform array (vector) operations and store the result in `res`. Operand * types and operations are passed as template arguments in Reverse Polish * Notation (RPN). * Operands can be slices or scalar types. The element types of all * slices and all scalar types must be implicitly convertible to `T`. * * Operations are encoded as strings, e.g. `"+"`, `"%"`, `"*="`. Unary * operations are prefixed with "u", e.g. `"u-"`, `"u~"`. Only the last * operation can and must be an assignment (`"="`) or op-assignment (`"op="`). * * All slice operands must have the same length as the result slice. * * Params: T[] = type of result slice * Args = operand types and operations in RPN * res = the slice in which to store the results * args = operand values * * Returns: the slice containing the result */ T[] arrayOp(T : T[], Args...)(T[] res, Filter!(isType, Args) args) @trusted @nogc pure nothrow { alias scalarizedExp = staticMap!(toElementType, Args); alias check = typeCheck!(true, T, scalarizedExp); // must support all scalar ops size_t pos; static if (vectorizeable!(T[], Args)) { alias vec = .vec!T; alias load = .load!(T, vec.length); alias store = .store!(T, vec.length); // Given that there are at most as many scalars broadcast as there are // operations in any `ary[] = ary[] op const op const`, it should always be // worthwhile to choose vector operations. if (!__ctfe && res.length >= vec.length) { mixin(initScalarVecs!Args); auto n = res.length / vec.length; do { mixin(vectorExp!Args ~ ";"); pos += vec.length; } while (--n); } } for (; pos < res.length; ++pos) mixin(scalarExp!Args ~ ";"); return res; } private: // SIMD helpers version (DigitalMars) { import core.simd; template vec(T) { enum regsz = 16; // SSE2 enum N = regsz / T.sizeof; alias vec = __vector(T[N]); } void store(T, size_t N)(T* p, in __vector(T[N]) val) { pragma(inline, true); alias vec = __vector(T[N]); static if (is(T == float)) cast(void) __simd_sto(XMM.STOUPS, *cast(vec*) p, val); else static if (is(T == double)) cast(void) __simd_sto(XMM.STOUPD, *cast(vec*) p, val); else cast(void) __simd_sto(XMM.STODQU, *cast(vec*) p, val); } const(__vector(T[N])) load(T, size_t N)(in T* p) { import core.simd; pragma(inline, true); alias vec = __vector(T[N]); static if (is(T == float)) return __simd(XMM.LODUPS, *cast(const vec*) p); else static if (is(T == double)) return __simd(XMM.LODUPD, *cast(const vec*) p); else return __simd(XMM.LODDQU, *cast(const vec*) p); } __vector(T[N]) binop(string op, T, size_t N)(in __vector(T[N]) a, in __vector(T[N]) b) { pragma(inline, true); return mixin("a " ~ op ~ " b"); } __vector(T[N]) unaop(string op, T, size_t N)(in __vector(T[N]) a) if (op[0] == 'u') { pragma(inline, true); return mixin(op[1 .. $] ~ "a"); } } // mixin gen /** Check whether operations on operand types are supported. This template recursively reduces the expression tree and determines intermediate types. Type checking is done here rather than in the compiler to provide more detailed error messages. Params: fail = whether to fail (static assert) with a human-friendly error message T = type of result Args = operand types and operations in RPN Returns: The resulting type of the expression See_Also: $(LREF arrayOp) */ template typeCheck(bool fail, T, Args...) { enum idx = staticIndexOf!(not!isType, Args); static if (isUnaryOp(Args[idx])) { alias UT = Args[idx - 1]; enum op = Args[idx][1 .. $]; static if (is(typeof((UT a) => mixin(op ~ " a")) RT == return)) alias typeCheck = typeCheck!(fail, T, Args[0 .. idx - 1], RT, Args[idx + 1 .. $]); else static if (fail) static assert(0, "Unary `" ~ op ~ "` not supported for type `" ~ UT.stringof ~ "`."); } else static if (isBinaryOp(Args[idx])) { alias LHT = Args[idx - 2]; alias RHT = Args[idx - 1]; enum op = Args[idx]; static if (is(typeof((LHT a, RHT b) => mixin("a " ~ op ~ " b")) RT == return)) alias typeCheck = typeCheck!(fail, T, Args[0 .. idx - 2], RT, Args[idx + 1 .. $]); else static if (fail) static assert(0, "Binary `" ~ op ~ "` not supported for types `" ~ LHT.stringof ~ "` and `" ~ RHT.stringof ~ "`."); } else static if (Args[idx] == "=" || isBinaryAssignOp(Args[idx])) { alias RHT = Args[idx - 1]; enum op = Args[idx]; static if (is(T == __vector(ET[N]), ET, size_t N)) { // no `cast(T)` before assignment for vectors static if (is(typeof((T res, RHT b) => mixin("res " ~ op ~ " b")) RT == return) && // workaround https://issues.dlang.org/show_bug.cgi?id=17758 (op != "=" || is(Unqual!T == Unqual!RHT))) alias typeCheck = typeCheck!(fail, T, Args[0 .. idx - 1], RT, Args[idx + 1 .. $]); else static if (fail) static assert(0, "Binary op `" ~ op ~ "` not supported for types `" ~ T.stringof ~ "` and `" ~ RHT.stringof ~ "`."); } else { static if (is(typeof((RHT b) => mixin("cast(T) b")))) { static if (is(typeof((T res, T b) => mixin("res " ~ op ~ " b")) RT == return)) alias typeCheck = typeCheck!(fail, T, Args[0 .. idx - 1], RT, Args[idx + 1 .. $]); else static if (fail) static assert(0, "Binary op `" ~ op ~ "` not supported for types `" ~ T.stringof ~ "` and `" ~ T.stringof ~ "`."); } else static if (fail) static assert(0, "`cast(" ~ T.stringof ~ ")` not supported for type `" ~ RHT.stringof ~ "`."); } } else static assert(0); } /// ditto template typeCheck(bool fail, T, ResultType) { alias typeCheck = ResultType; } version (GNU_OR_LDC) { // leave it to the auto-vectorizer enum vectorizeable(E : E[], Args...) = false; } else { // check whether arrayOp is vectorizable template vectorizeable(E : E[], Args...) { static if (is(vec!E)) { // type check with vector types enum vectorizeable = is(typeCheck!(false, vec!E, staticMap!(toVecType, Args))); } else enum vectorizeable = false; } version (X86_64) unittest { pragma(msg, vectorizeable!(double[], const(double)[], double[], "+", "=")); static assert(vectorizeable!(double[], const(double)[], double[], "+", "=")); static assert(!vectorizeable!(double[], const(ulong)[], double[], "+", "=")); // Vector type are (atm.) not implicitly convertible and would require // lots of SIMD intrinsics. Therefor leave mixed type array ops to // GDC/LDC's auto-vectorizers. static assert(!vectorizeable!(double[], const(uint)[], uint, "+", "=")); } } bool isUnaryOp(scope string op) pure nothrow @safe @nogc { return op[0] == 'u'; } bool isBinaryOp(scope string op) pure nothrow @safe @nogc { if (op == "^^") return true; if (op.length != 1) return false; switch (op[0]) { case '+', '-', '*', '/', '%', '|', '&', '^': return true; default: return false; } } bool isBinaryAssignOp(string op) { return op.length >= 2 && op[$ - 1] == '=' && isBinaryOp(op[0 .. $ - 1]); } // Generate mixin expression to perform scalar arrayOp loop expression, assumes // `pos` to be the current slice index, `args` to contain operand values, and // `res` the target slice. string scalarExp(Args...)() { string[] stack; size_t argsIdx; foreach (i, arg; Args) { static if (is(arg == T[], T)) stack ~= "args[" ~ argsIdx++.toString ~ "][pos]"; else static if (is(arg)) stack ~= "args[" ~ argsIdx++.toString ~ "]"; else static if (isUnaryOp(arg)) { auto op = arg[0] == 'u' ? arg[1 .. $] : arg; stack[$ - 1] = op ~ stack[$ - 1]; } else static if (arg == "=") { stack[$ - 1] = "res[pos] = cast(T)(" ~ stack[$ - 1] ~ ")"; } else static if (isBinaryAssignOp(arg)) { stack[$ - 1] = "res[pos] " ~ arg ~ " cast(T)(" ~ stack[$ - 1] ~ ")"; } else static if (isBinaryOp(arg)) { stack[$ - 2] = "(" ~ stack[$ - 2] ~ " " ~ arg ~ " " ~ stack[$ - 1] ~ ")"; stack.length -= 1; } else assert(0, "Unexpected op " ~ arg); } assert(stack.length == 1); return stack[0]; } // Generate mixin statement to perform vector loop initialization, assumes // `args` to contain operand values. string initScalarVecs(Args...)() { size_t scalarsIdx, argsIdx; string res; foreach (arg; Args) { static if (is(arg == T[], T)) { ++argsIdx; } else static if (is(arg)) res ~= "immutable vec scalar" ~ scalarsIdx++.toString ~ " = args[" ~ argsIdx++.toString ~ "];\n"; } return res; } // Generate mixin expression to perform vector arrayOp loop expression, assumes // `pos` to be the current slice index, `args` to contain operand values, and // `res` the target slice. string vectorExp(Args...)() { size_t scalarsIdx, argsIdx; string[] stack; foreach (arg; Args) { static if (is(arg == T[], T)) stack ~= "load(&args[" ~ argsIdx++.toString ~ "][pos])"; else static if (is(arg)) { ++argsIdx; stack ~= "scalar" ~ scalarsIdx++.toString; } else static if (isUnaryOp(arg)) { auto op = arg[0] == 'u' ? arg[1 .. $] : arg; stack[$ - 1] = "unaop!\"" ~ arg ~ "\"(" ~ stack[$ - 1] ~ ")"; } else static if (arg == "=") { stack[$ - 1] = "store(&res[pos], " ~ stack[$ - 1] ~ ")"; } else static if (isBinaryAssignOp(arg)) { stack[$ - 1] = "store(&res[pos], binop!\"" ~ arg[0 .. $ - 1] ~ "\"(load(&res[pos]), " ~ stack[$ - 1] ~ "))"; } else static if (isBinaryOp(arg)) { stack[$ - 2] = "binop!\"" ~ arg ~ "\"(" ~ stack[$ - 2] ~ ", " ~ stack[$ - 1] ~ ")"; stack.length -= 1; } else assert(0, "Unexpected op " ~ arg); } assert(stack.length == 1); return stack[0]; } // other helpers enum isType(T) = true; enum isType(alias a) = false; template not(alias tmlp) { enum not(Args...) = !tmlp!Args; } /** Find element in `haystack` for which `pred` is true. Params: pred = the template predicate haystack = elements to search Returns: The first index for which `pred!haystack[index]` is true or -1. */ template staticIndexOf(alias pred, haystack...) { static if (pred!(haystack[0])) enum staticIndexOf = 0; else { enum next = staticIndexOf!(pred, haystack[1 .. $]); enum staticIndexOf = next == -1 ? -1 : next + 1; } } /// converts slice types to their element type, preserves anything else alias toElementType(E : E[]) = E; alias toElementType(S) = S; alias toElementType(alias op) = op; /// converts slice types to their element type, preserves anything else alias toVecType(E : E[]) = vec!E; alias toVecType(S) = vec!S; alias toVecType(alias op) = op; string toString(size_t num) { import core.internal.string : unsignedToTempString; char[20] buf = void; return unsignedToTempString(num, buf).idup; } bool contains(T)(in T[] ary, in T[] vals...) { foreach (v1; ary) foreach (v2; vals) if (v1 == v2) return true; return false; } // tests version (unittest) template TT(T...) { alias TT = T; } version (unittest) template _arrayOp(Args...) { alias _arrayOp = arrayOp!Args; } unittest { static void check(string op, TA, TB, T, size_t N)(TA a, TB b, in ref T[N] exp) { T[N] res; _arrayOp!(T[], TA, TB, op, "=")(res[], a, b); foreach (i; 0 .. N) assert(res[i] == exp[i]); } static void check2(string unaOp, string binOp, TA, TB, T, size_t N)(TA a, TB b, in ref T[N] exp) { T[N] res; _arrayOp!(T[], TA, TB, unaOp, binOp, "=")(res[], a, b); foreach (i; 0 .. N) assert(res[i] == exp[i]); } static void test(T, string op, size_t N = 16)(T a, T b, T exp) { T[N] va = a, vb = b, vexp = exp; check!op(va[], vb[], vexp); check!op(va[], b, vexp); check!op(a, vb[], vexp); } static void test2(T, string unaOp, string binOp, size_t N = 16)(T a, T b, T exp) { T[N] va = a, vb = b, vexp = exp; check2!(unaOp, binOp)(va[], vb[], vexp); check2!(unaOp, binOp)(va[], b, vexp); check2!(unaOp, binOp)(a, vb[], vexp); } alias UINTS = TT!(ubyte, ushort, uint, ulong); alias INTS = TT!(byte, short, int, long); alias FLOATS = TT!(float, double); foreach (T; TT!(UINTS, INTS, FLOATS)) { test!(T, "+")(1, 2, 3); test!(T, "-")(3, 2, 1); static if (__traits(compiles, { import std.math; })) test!(T, "^^")(2, 3, 8); test2!(T, "u-", "+")(3, 2, 1); } foreach (T; TT!(UINTS, INTS)) { test!(T, "|")(1, 2, 3); test!(T, "&")(3, 1, 1); test!(T, "^")(3, 1, 2); test2!(T, "u~", "+")(3, cast(T)~2, 5); } foreach (T; TT!(INTS, FLOATS)) { test!(T, "-")(1, 2, -1); test2!(T, "u-", "+")(-3, -2, -1); test2!(T, "u-", "*")(-3, -2, -6); } foreach (T; TT!(UINTS, INTS, FLOATS)) { test!(T, "*")(2, 3, 6); test!(T, "/")(8, 4, 2); test!(T, "%")(8, 6, 2); } } // test handling of v op= exp unittest { uint[32] c; arrayOp!(uint[], uint, "+=")(c[], 2); foreach (v; c) assert(v == 2); static if (__traits(compiles, { import std.math; })) { arrayOp!(uint[], uint, "^^=")(c[], 3); foreach (v; c) assert(v == 8); } } // proper error message for UDT lacking certain ops unittest { static assert(!is(typeof(&arrayOp!(int[4][], int[4], "+=")))); static assert(!is(typeof(&arrayOp!(int[4][], int[4], "u-", "=")))); static struct S { } static assert(!is(typeof(&arrayOp!(S[], S, "+=")))); static assert(!is(typeof(&arrayOp!(S[], S[], "*", S, "+=")))); static struct S2 { S2 opBinary(string op)(in S2) @nogc pure nothrow { return this; } ref S2 opOpAssign(string op)(in S2) @nogc pure nothrow { return this; } } static assert(is(typeof(&arrayOp!(S2[], S2[], S2[], S2, "*", "+", "=")))); static assert(is(typeof(&arrayOp!(S2[], S2[], S2, "*", "+=")))); } // test mixed type array op unittest { uint[32] a = 0xF; float[32] res = 2.0f; arrayOp!(float[], const(uint)[], uint, "&", "*=")(res[], a[], 12); foreach (v; res[]) assert(v == 24.0f); } // test mixed type array op unittest { static struct S { float opBinary(string op)(in S) @nogc const pure nothrow { return 2.0f; } } float[32] res = 24.0f; S[32] s; arrayOp!(float[], const(S)[], const(S)[], "+", "/=")(res[], s[], s[]); foreach (v; res[]) assert(v == 12.0f); } // test scalar after operation argument unittest { float[32] res, a = 2, b = 3; float c = 4; arrayOp!(float[], const(float)[], const(float)[], "*", float, "+", "=")(res[], a[], b[], c); foreach (v; res[]) assert(v == 2 * 3 + 4); } unittest { // https://issues.dlang.org/show_bug.cgi?id=17964 uint bug(){ uint[] a = [1, 2, 3, 5, 6, 7]; uint[] b = [1, 2, 3, 5, 6, 7]; a[] |= ~b[]; return a[1]; } enum x = bug(); }
D
/** ipifcons.d Converted from 'ipifcons.h'. Version: V7.0 Authors: Koji Kishita */ module c.windows.ipifcons; import c.windows.windef; extern(C){ enum { MIN_IF_TYPE = 1, IF_TYPE_OTHER = 1, IF_TYPE_REGULAR_1822 = 2, IF_TYPE_HDH_1822 = 3, IF_TYPE_DDN_X25 = 4, IF_TYPE_RFC877_X25 = 5, IF_TYPE_ETHERNET_CSMACD = 6, IF_TYPE_IS088023_CSMACD = 7, IF_TYPE_ISO88024_TOKENBUS = 8, IF_TYPE_ISO88025_TOKENRING = 9, IF_TYPE_ISO88026_MAN = 10, IF_TYPE_STARLAN = 11, IF_TYPE_PROTEON_10MBIT = 12, IF_TYPE_PROTEON_80MBIT = 13, IF_TYPE_HYPERCHANNEL = 14, IF_TYPE_FDDI = 15, IF_TYPE_LAP_B = 16, IF_TYPE_SDLC = 17, IF_TYPE_DS1 = 18, IF_TYPE_E1 = 19, IF_TYPE_BASIC_ISDN = 20, IF_TYPE_PRIMARY_ISDN = 21, IF_TYPE_PROP_POINT2POINT_SERIAL = 22, IF_TYPE_PPP = 23, IF_TYPE_SOFTWARE_LOOPBACK = 24, IF_TYPE_EON = 25, IF_TYPE_ETHERNET_3MBIT = 26, IF_TYPE_NSIP = 27, IF_TYPE_SLIP = 28, IF_TYPE_ULTRA = 29, IF_TYPE_DS3 = 30, IF_TYPE_SIP = 31, IF_TYPE_FRAMERELAY = 32, IF_TYPE_RS232 = 33, IF_TYPE_PARA = 34, IF_TYPE_ARCNET = 35, IF_TYPE_ARCNET_PLUS = 36, IF_TYPE_ATM = 37, IF_TYPE_MIO_X25 = 38, IF_TYPE_SONET = 39, IF_TYPE_X25_PLE = 40, IF_TYPE_ISO88022_LLC = 41, IF_TYPE_LOCALTALK = 42, IF_TYPE_SMDS_DXI = 43, IF_TYPE_FRAMERELAY_SERVICE = 44, IF_TYPE_V35 = 45, IF_TYPE_HSSI = 46, IF_TYPE_HIPPI = 47, IF_TYPE_MODEM = 48, IF_TYPE_AAL5 = 49, IF_TYPE_SONET_PATH = 50, IF_TYPE_SONET_VT = 51, IF_TYPE_SMDS_ICIP = 52, IF_TYPE_PROP_VIRTUAL = 53, IF_TYPE_PROP_MULTIPLEXOR = 54, IF_TYPE_IEEE80212 = 55, IF_TYPE_FIBRECHANNEL = 56, IF_TYPE_HIPPIINTERFACE = 57, IF_TYPE_FRAMERELAY_INTERCONNECT = 58, IF_TYPE_AFLANE_8023 = 59, IF_TYPE_AFLANE_8025 = 60, IF_TYPE_CCTEMUL = 61, IF_TYPE_FASTETHER = 62, IF_TYPE_ISDN = 63, IF_TYPE_V11 = 64, IF_TYPE_V36 = 65, IF_TYPE_G703_64K = 66, IF_TYPE_G703_2MB = 67, IF_TYPE_QLLC = 68, IF_TYPE_FASTETHER_FX = 69, IF_TYPE_CHANNEL = 70, IF_TYPE_IEEE80211 = 71, IF_TYPE_IBM370PARCHAN = 72, IF_TYPE_ESCON = 73, IF_TYPE_DLSW = 74, IF_TYPE_ISDN_S = 75, IF_TYPE_ISDN_U = 76, IF_TYPE_LAP_D = 77, IF_TYPE_IPSWITCH = 78, IF_TYPE_RSRB = 79, IF_TYPE_ATM_LOGICAL = 80, IF_TYPE_DS0 = 81, IF_TYPE_DS0_BUNDLE = 82, IF_TYPE_BSC = 83, IF_TYPE_ASYNC = 84, IF_TYPE_CNR = 85, IF_TYPE_ISO88025R_DTR = 86, IF_TYPE_EPLRS = 87, IF_TYPE_ARAP = 88, IF_TYPE_PROP_CNLS = 89, IF_TYPE_HOSTPAD = 90, IF_TYPE_TERMPAD = 91, IF_TYPE_FRAMERELAY_MPI = 92, IF_TYPE_X213 = 93, IF_TYPE_ADSL = 94, IF_TYPE_RADSL = 95, IF_TYPE_SDSL = 96, IF_TYPE_VDSL = 97, IF_TYPE_ISO88025_CRFPRINT = 98, IF_TYPE_MYRINET = 99, IF_TYPE_VOICE_EM = 100, IF_TYPE_VOICE_FXO = 101, IF_TYPE_VOICE_FXS = 102, IF_TYPE_VOICE_ENCAP = 103, IF_TYPE_VOICE_OVERIP = 104, IF_TYPE_ATM_DXI = 105, IF_TYPE_ATM_FUNI = 106, IF_TYPE_ATM_IMA = 107, IF_TYPE_PPPMULTILINKBUNDLE = 108, IF_TYPE_IPOVER_CDLC = 109, IF_TYPE_IPOVER_CLAW = 110, IF_TYPE_STACKTOSTACK = 111, IF_TYPE_VIRTUALIPADDRESS = 112, IF_TYPE_MPC = 113, IF_TYPE_IPOVER_ATM = 114, IF_TYPE_ISO88025_FIBER = 115, IF_TYPE_TDLC = 116, IF_TYPE_GIGABITETHERNET = 117, IF_TYPE_HDLC = 118, IF_TYPE_LAP_F = 119, IF_TYPE_V37 = 120, IF_TYPE_X25_MLP = 121, IF_TYPE_X25_HUNTGROUP = 122, IF_TYPE_TRANSPHDLC = 123, IF_TYPE_INTERLEAVE = 124, IF_TYPE_FAST = 125, IF_TYPE_IP = 126, IF_TYPE_DOCSCABLE_MACLAYER = 127, IF_TYPE_DOCSCABLE_DOWNSTREAM = 128, IF_TYPE_DOCSCABLE_UPSTREAM = 129, IF_TYPE_A12MPPSWITCH = 130, IF_TYPE_TUNNEL = 131, IF_TYPE_COFFEE = 132, IF_TYPE_CES = 133, IF_TYPE_ATM_SUBINTERFACE = 134, IF_TYPE_L2_VLAN = 135, IF_TYPE_L3_IPVLAN = 136, IF_TYPE_L3_IPXVLAN = 137, IF_TYPE_DIGITALPOWERLINE = 138, IF_TYPE_MEDIAMAILOVERIP = 139, IF_TYPE_DTM = 140, IF_TYPE_DCN = 141, IF_TYPE_IPFORWARD = 142, IF_TYPE_MSDSL = 143, IF_TYPE_IEEE1394 = 144, IF_TYPE_IF_GSN = 145, IF_TYPE_DVBRCC_MACLAYER = 146, IF_TYPE_DVBRCC_DOWNSTREAM = 147, IF_TYPE_DVBRCC_UPSTREAM = 148, IF_TYPE_ATM_VIRTUAL = 149, IF_TYPE_MPLS_TUNNEL = 150, IF_TYPE_SRP = 151, IF_TYPE_VOICEOVERATM = 152, IF_TYPE_VOICEOVERFRAMERELAY = 153, IF_TYPE_IDSL = 154, IF_TYPE_COMPOSITELINK = 155, IF_TYPE_SS7_SIGLINK = 156, IF_TYPE_PROP_WIRELESS_P2P = 157, IF_TYPE_FR_FORWARD = 158, IF_TYPE_RFC1483 = 159, IF_TYPE_USB = 160, IF_TYPE_IEEE8023AD_LAG = 161, IF_TYPE_BGP_POLICY_ACCOUNTING = 162, IF_TYPE_FRF16_MFR_BUNDLE = 163, IF_TYPE_H323_GATEKEEPER = 164, IF_TYPE_H323_PROXY = 165, IF_TYPE_MPLS = 166, IF_TYPE_MF_SIGLINK = 167, IF_TYPE_HDSL2 = 168, IF_TYPE_SHDSL = 169, IF_TYPE_DS1_FDL = 170, IF_TYPE_POS = 171, IF_TYPE_DVB_ASI_IN = 172, IF_TYPE_DVB_ASI_OUT = 173, IF_TYPE_PLC = 174, IF_TYPE_NFAS = 175, IF_TYPE_TR008 = 176, IF_TYPE_GR303_RDT = 177, IF_TYPE_GR303_IDT = 178, IF_TYPE_ISUP = 179, IF_TYPE_PROP_DOCS_WIRELESS_MACLAYER = 180, IF_TYPE_PROP_DOCS_WIRELESS_DOWNSTREAM = 181, IF_TYPE_PROP_DOCS_WIRELESS_UPSTREAM = 182, IF_TYPE_HIPERLAN2 = 183, IF_TYPE_PROP_BWA_P2MP = 184, IF_TYPE_SONET_OVERHEAD_CHANNEL = 185, IF_TYPE_DIGITAL_WRAPPER_OVERHEAD_CHANNEL = 186, IF_TYPE_AAL2 = 187, IF_TYPE_RADIO_MAC = 188, IF_TYPE_ATM_RADIO = 189, IF_TYPE_IMT = 190, IF_TYPE_MVL = 191, IF_TYPE_REACH_DSL = 192, IF_TYPE_FR_DLCI_ENDPT = 193, IF_TYPE_ATM_VCI_ENDPT = 194, IF_TYPE_OPTICAL_CHANNEL = 195, IF_TYPE_OPTICAL_TRANSPORT = 196, IF_TYPE_IEEE80216_WMAN = 237, IF_TYPE_WWANPP = 243, IF_TYPE_WWANPP2 = 244, MAX_IF_TYPE = 244, } alias ULONG IFTYPE; enum { IF_ACCESS_LOOPBACK = 1, IF_ACCESS_BROADCAST = 2, IF_ACCESS_POINT_TO_POINT = 3, IF_ACCESS_POINTTOPOINT = 3, IF_ACCESS_POINT_TO_MULTI_POINT = 4, IF_ACCESS_POINTTOMULTIPOINT = 4, } alias int IF_ACCESS_TYPE; enum { IF_CHECK_NONE = 0x00, IF_CHECK_MCAST = 0x01, IF_CHECK_SEND = 0x02, } enum { IF_CONNECTION_DEDICATED = 1, IF_CONNECTION_PASSIVE = 2, IF_CONNECTION_DEMAND = 3, } enum { IF_ADMIN_STATUS_UP = 1, IF_ADMIN_STATUS_DOWN = 2, IF_ADMIN_STATUS_TESTING = 3, } enum { IF_OPER_STATUS_NON_OPERATIONAL = 0, IF_OPER_STATUS_UNREACHABLE = 1, IF_OPER_STATUS_DISCONNECTED = 2, IF_OPER_STATUS_CONNECTING = 3, IF_OPER_STATUS_CONNECTED = 4, IF_OPER_STATUS_OPERATIONAL = 5, } alias int INTERNAL_IF_OPER_STATUS; enum { MIB_IF_TYPE_OTHER = 1, MIB_IF_TYPE_ETHERNET = 6, MIB_IF_TYPE_TOKENRING = 9, MIB_IF_TYPE_FDDI = 15, MIB_IF_TYPE_PPP = 23, MIB_IF_TYPE_LOOPBACK = 24, MIB_IF_TYPE_SLIP = 28, } enum { MIB_IF_ADMIN_STATUS_UP = 1, MIB_IF_ADMIN_STATUS_DOWN = 2, MIB_IF_ADMIN_STATUS_TESTING = 3, } enum { MIB_IF_OPER_STATUS_NON_OPERATIONAL = IF_OPER_STATUS_NON_OPERATIONAL, MIB_IF_OPER_STATUS_UNREACHABLE = IF_OPER_STATUS_UNREACHABLE, MIB_IF_OPER_STATUS_DISCONNECTED = IF_OPER_STATUS_DISCONNECTED, MIB_IF_OPER_STATUS_CONNECTING = IF_OPER_STATUS_CONNECTING, MIB_IF_OPER_STATUS_CONNECTED = IF_OPER_STATUS_CONNECTED, MIB_IF_OPER_STATUS_OPERATIONAL = IF_OPER_STATUS_OPERATIONAL, } }// extern(C)
D
struct S { int a; } S t; // default initialized t.a = 3; S s = t; // s.a is set to 3 struct S { int a; static S opCall(int v) { S s; s.a = v; return s; } static S opCall(S v) { S s; s.a = v.a + 1; return s; } } S s = 3; // sets s.a to 3 S t = s; // sets t.a to 3, S.opCall(s) is not called
D
module xmlrpcc.error; import std.exception; import std.stdio; import std.variant : Variant; import std.format : format; import xmlrpcc.data; /** * Root type for all XML-RPC exceptions */ class XmlRpcException : Exception { this(string msg, string file = __FILE__, size_t line = __LINE__, Throwable next = null) { super(msg, file, line, next); } } /** * Client throws this exception if the remote method returns XML-RPC Fault Response. * Server catches this exception and converts it into XML-RPC Fault Response. */ class MethodFaultException : XmlRpcException { package this(Variant value, string message) { this.value = value; super(message); } @trusted package this(Variant value) { this(value, format("XMLRPC method failure: %s", value.toString())); } this(string faultString, int faultCode) { this(makeFaultValue(faultString, faultCode)); } Variant value; } /** * Fault Code Interoperability constants * http://xmlrpc-epi.sourceforge.net/specs/rfc.fault_codes.php */ enum FciFaultCodes : int { parseErrorNotWellFormed = -32_700, parseErrorUnsupportedEncoding = -32_701, parseErrorInvalidCharacter = -32_702, serverErrorInvalidXmlRpc = -32_600, serverErrorMethodNotFound = -32_601, serverErrorInvalidMethodParams = -32_602, serverErrorInternalXmlRpcError = -32_603, applicationError = -32_500, systemError = -32_400, transportError = -32_300 } package Variant makeFaultValue(string faultString, int faultCode) { return Variant(["faultCode" : Variant(faultCode), "faultString" : Variant(faultString)]); }
D
/**************************************************************************** ** ** Copyright (C) 2014 Digia Plc and/or its subsidiary(-ies). ** Contact: http://www.qt-project.org/legal ** ** This file is part of the QtSql 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$ ** ****************************************************************************/ #ifndef QSQLQUERY_H #define QSQLQUERY_H public import qt.QtSql.qsql; public import qt.QtSql.qsqldatabase; public import qt.QtCore.qstring; QT_BEGIN_NAMESPACE class QVariant; class QSqlDriver; class QSqlError; class QSqlResult; class QSqlRecord; template <class Key, class T> class QMap; class QSqlQueryPrivate; class Q_SQL_EXPORT QSqlQuery { public: explicit QSqlQuery(QSqlResult *r); explicit QSqlQuery(ref const(QString) query = QString(), QSqlDatabase db = QSqlDatabase()); explicit QSqlQuery(QSqlDatabase db); QSqlQuery(ref const(QSqlQuery) other); QSqlQuery& operator=(ref const(QSqlQuery) other); ~QSqlQuery(); bool isValid() const; bool isActive() const; bool isNull(int field) const; bool isNull(ref const(QString) name) const; int at() const; QString lastQuery() const; int numRowsAffected() const; QSqlError lastError() const; bool isSelect() const; int size() const; const(QSqlDriver)* driver() const; const(QSqlResult)* result() const; bool isForwardOnly() const; QSqlRecord record() const; void setForwardOnly(bool forward); bool exec(ref const(QString) query); QVariant value(int i) const; QVariant value(ref const(QString) name) const; void setNumericalPrecisionPolicy(QSql::NumericalPrecisionPolicy precisionPolicy); QSql::NumericalPrecisionPolicy numericalPrecisionPolicy() const; bool seek(int i, bool relative = false); bool next(); bool previous(); bool first(); bool last(); void clear(); // prepared query support bool exec(); enum BatchExecutionMode { ValuesAsRows, ValuesAsColumns }; bool execBatch(BatchExecutionMode mode = ValuesAsRows); bool prepare(ref const(QString) query); void bindValue(ref const(QString) placeholder, ref const(QVariant) val, QSql::ParamType type = QSql::In); void bindValue(int pos, ref const(QVariant) val, QSql::ParamType type = QSql::In); void addBindValue(ref const(QVariant) val, QSql::ParamType type = QSql::In); QVariant boundValue(ref const(QString) placeholder) const; QVariant boundValue(int pos) const; QMap<QString, QVariant> boundValues() const; QString executedQuery() const; QVariant lastInsertId() const; void finish(); bool nextResult(); private: QSqlQueryPrivate* d; }; QT_END_NAMESPACE #endif // QSQLQUERY_H
D
module android.java.java.time.Year; public import android.java.java.time.Year_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!Year; import import15 = android.java.java.time.YearMonth; import import0 = android.java.java.time.Year; import import13 = android.java.java.time.temporal.Temporal; import import14 = android.java.java.time.LocalDate; import import17 = android.java.java.lang.Class; import import8 = android.java.java.time.temporal.ValueRange;
D
/// Minimalistic low-overhead wrapper for nodejs/http-parser /// Used for benchmarks with simple server module http.Parser; import http.Common; import hunt.logging.ConsoleLogger; import std.conv; import std.range.primitives; import core.stdc.string; import std.experimental.allocator; import ffeadcpp; // =========== Public interface starts here ============= public: class HttpException : Exception { HttpError error; pure @nogc nothrow this(HttpError error, string file = __FILE__, size_t line = __LINE__, Throwable nextInChain = null) { this.error = error; super("Http exception", file, line, nextInChain); } } struct HttpParser(Interceptor) { private { Interceptor interceptor; Throwable failure; } ffead_request _ireq; phr_header_fcp[50] _headers; size_t buflen = 0, prevbuflen = 0; bool done; alias interceptor this; this(Interceptor interceptor) { this.interceptor = interceptor; } @property bool status() pure @safe nothrow { return failure is null; } @property bool shouldKeepAlive() pure nothrow { return true; } @property ushort httpMajor() @safe pure nothrow { return 1; } @property ushort httpMinor() @safe pure nothrow { return cast(ushort)_ireq.version_; } int execute(const(ubyte)[] str) { return doexecute(str); } private int doexecute(const(ubyte)[] chunk) { debug trace(cast(string)chunk); failure = null; done = false; int contentLength = 0; _ireq.headers_len = cast(int)_headers.length; int pret = phr_parse_request_fcp(cast(const char*)chunk.ptr, cast(int)chunk.length, &_ireq.method, &_ireq.method_len, &_ireq.path, &_ireq.path_len, &_ireq.version_, _headers.ptr, &_ireq.headers_len, 0, &contentLength); debug { infof("buffer: %d bytes, request: %d bytes", chunk.length, pret); } if(pret > 0) { /* successfully parsed the request */ onMessageComplete(); if(pret < chunk.length) { debug infof("try to parse next request"); pret += doexecute(chunk[pret .. $]); // try to parse next http request data } debug infof("pret=%d", pret); return pret; } else if(pret == -2) { debug warning("parsing incomplete"); debug infof("pret=%d, chunk=%d", pret, chunk.length); return 0; } warning("wrong data format"); failure = new HttpException(HttpError.UNKNOWN); throw failure; } void onMessageComplete() { // interceptor.onHeadersComplete(); debug { tracef("method is %s", _ireq.method[0.._ireq.method_len]); tracef("path is %s", _ireq.path[0.._ireq.path_len]); tracef("HTTP version is 1.%d", _ireq.version_); foreach(ref phr_header_fcp h; _headers[0.._ireq.headers_len]) { tracef("Header: %s = %s", h.name[0..h.name_len], h.value[0..h.value_len]); } } interceptor.onMessageComplete(); } } auto httpParser(Interceptor)(Interceptor interceptor) { return HttpParser!Interceptor(interceptor); }
D
instance BAU_984_NICLAS(NPC_DEFAULT) { name[0] = "Никлас"; guild = GIL_OUT; id = 984; voice = 3; flags = 0; npctype = NPCTYPE_MAIN; b_setattributestochapter(self,4); fight_tactic = FAI_HUMAN_STRONG; EquipItem(self,itmw_1h_sld_sword); EquipItem(self,itrw_sld_bow); b_createambientinv(self); b_setnpcvisual(self,MALE,"Hum_Head_Thief",FACE_N_NORMALBART12,BODYTEX_N,itar_leather_l); Mdl_SetModelFatness(self,1); Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds"); b_givenpctalents(self); b_setfightskills(self,40); daily_routine = rtn_start_984; }; func void rtn_start_984() { ta_sit_bench(8,0,23,0,"NW_CITY_JAEGER_SIT"); ta_sit_bench(23,0,8,0,"NW_CITY_JAEGER_SIT"); };
D
INSTANCE SH(NPC_DEFAULT) // PlayerInstanz { //-------- primary data -------- name = "StoryHelper"; Npctype = Npctype_Main; guild = GIL_NONE; level = 10; voice = 15; id = 0; //-------- visuals -------- // animations Mdl_SetVisual (self,"HUMANS.MDS"); // Body-Mesh Body-Tex Skin-Color Head-MMS Head-Tex Teeth-Tex Armor-Tex Mdl_SetVisualBody (self,"hum_body_Naked0", 4, 1, "Hum_Head_Pony", 9, 0, -1); //-------- ai ---------- start_aistate = ZS_SH_Hangaround; }; func void ZS_SH_Hangaround () { PrintDebugNpc (PD_ZS_FRAME, "ZS_SH_Hangaround"); Npc_PercEnable (self, PERC_ASSESSTALK, B_AssessTalk ); }; func void ZS_SH_Hangaround_Loop () { PrintDebugNpc (PD_ZS_LOOP, "ZS_SH_Hangaround_Loop"); }; func void ZS_SH_Hangaround_End () { PrintDebugNpc (PD_ZS_FRAME, "ZS_SH_Hangaround_End"); }; //*************************************************************************** // Rahmen-Infos //*************************************************************************** instance StoryHelper_Exit (C_INFO) { npc = SH; nr = 999; condition = StoryHelper_Exit_Condition; information = StoryHelper_Exit_Info; important = 0; permanent = 1; description = "ENDE"; }; FUNC int StoryHelper_Exit_Condition() { return 1; }; FUNC VOID StoryHelper_Exit_Info() { AI_StopProcessInfos ( self ); }; //##################################################################### //## //## //## KAPITEL 1 //## //## //##################################################################### INSTANCE StoryHelper_INFO1 (C_INFO) { npc = SH; condition = StoryHelper_INFO1_Condition; information = StoryHelper_INFO1_Info; important = 0; permanent = 1; description = "Kapitel 1"; }; FUNC INT StoryHelper_INFO1_Condition() { return TRUE; }; func VOID StoryHelper_INFO1_Info() { Info_ClearChoices ( StoryHelper_INFO1 ); Info_AddChoice ( StoryHelper_INFO1, "ZURÜCK" , StoryHelper_BACK1); Info_AddChoice ( StoryHelper_INFO1, "I: Bei Diego im Haus der Erzbarone" , StoryHelper_Chapter1_BeforeDiego ); Info_AddChoice ( StoryHelper_INFO1, "I: Am Alten Lager angekommen" , StoryHelper_Chapter1_ArrivedAtOC ); }; //--------------------------------------------------------------------- // Am Alten Lager angekommen //--------------------------------------------------------------------- func void StoryHelper_Chapter1_ArrivedAtOC() { //-------- Menü -------- Info_ClearChoices (StoryHelper_INFO1); AI_StopProcessInfos (self); //-------- was davor geschah -------- //-------- was neu geschieht -------- CreateInvItem (hero, ItWr_Xardas_Letter_Sealed); B_ExchangeRoutine (AMZ_900_Thora,"ArenaWait"); SubChapter = CH1_ARRIVED_AT_OC; }; //--------------------------------------------------------------------- // Bei Diego im Haus der Erzbarone //--------------------------------------------------------------------- func void StoryHelper_Chapter1_BeforeDiego() { //-------- Menü -------- Info_ClearChoices (StoryHelper_INFO1); AI_StopProcessInfos (self); //-------- was davor geschah -------- CreateInvItem (hero, ItWr_Xardas_Letter_Sealed); B_ExchangeRoutine (AMZ_900_Thora,"ArenaWait"); //-------- was neu geschieht -------- SubChapter = CH1_BEFORE_DIEGO; }; //-------- ZURÜCK --------- func void StoryHelper_BACK1() { Info_ClearChoices (StoryHelper_INFO1); }; //##################################################################### //## //## //## KAPITEL 2 //## //## //##################################################################### INSTANCE StoryHelper_INFO2 (C_INFO) { npc = SH; condition = StoryHelper_INFO2_Condition; information = StoryHelper_INFO2_Info; important = 0; permanent = 1; description = "Kapitel 2"; }; FUNC INT StoryHelper_INFO2_Condition() { return TRUE; }; func VOID StoryHelper_INFO2_Info() { Info_ClearChoices ( StoryHelper_INFO2 ); Info_AddChoice ( StoryHelper_INFO2, "ZURÜCK" , StoryHelper_BACK2); Info_AddChoice ( StoryHelper_INFO2, "II: In der Bergfestung" , StoryHelper_Chapter2_EnteredBF ); Info_AddChoice ( StoryHelper_INFO2, "II: Thora überzeugt" , StoryHelper_Chapter2_ThoraConvinced ); }; //--------------------------------------------------------------------- // Thora überzeugt //--------------------------------------------------------------------- func void StoryHelper_Chapter2_ThoraConvinced() { //-------- Menü -------- Info_ClearChoices (StoryHelper_INFO2); AI_StopProcessInfos (self); //-------- was davor geschah -------- CreateInvItem (hero, ItWr_Xardas_Letter); B_ExchangeRoutine (AMZ_900_Thora,"ArenaWait"); //-------- was neu geschieht -------- B_Kapitelwechsel (2); SubChapter = CH2_THORA_CONVINCED; }; //--------------------------------------------------------------------- // In der Bergfestung //--------------------------------------------------------------------- func void StoryHelper_Chapter2_EnteredBF() { //-------- Menü -------- Info_ClearChoices (StoryHelper_INFO2); AI_StopProcessInfos (self); //-------- was davor geschah -------- CreateInvItem (hero, ItWr_Xardas_Letter); B_Kapitelwechsel (2); //-------- was neu geschieht -------- B_ExchangeRoutine (AMZ_900_Thora,"ReportToGarwog"); SubChapter = CH2_ENTERED_BF; }; //-------- ZURÜCK --------- func void StoryHelper_BACK2() { Info_ClearChoices (StoryHelper_INFO2); };
D
module UnrealScript.Engine.ParticleModuleColor_Seeded; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.Engine.ParticleModuleColor; import UnrealScript.Engine.ParticleModule; extern(C++) interface ParticleModuleColor_Seeded : ParticleModuleColor { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class Engine.ParticleModuleColor_Seeded")); } private static __gshared ParticleModuleColor_Seeded mDefaultProperties; @property final static ParticleModuleColor_Seeded DefaultProperties() { mixin(MGDPC("ParticleModuleColor_Seeded", "ParticleModuleColor_Seeded Engine.Default__ParticleModuleColor_Seeded")); } @property final auto ref ParticleModule.ParticleRandomSeedInfo RandomSeedInfo() { mixin(MGPC("ParticleModule.ParticleRandomSeedInfo", 132)); } }
D
instance DIA_Marduk_Kap1_EXIT(C_Info) { npc = KDF_505_Marduk; nr = 999; condition = DIA_Marduk_Kap1_EXIT_Condition; information = DIA_Marduk_Kap1_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Marduk_Kap1_EXIT_Condition() { if(Kapitel == 1) { return TRUE; }; }; func void DIA_Marduk_Kap1_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_Marduk_NoEnter_PissOff(C_Info) { npc = KDF_505_Marduk; nr = 1; condition = DIA_Marduk_NoEnter_PissOff_Condition; information = DIA_Marduk_NoEnter_PissOff_Info; permanent = TRUE; important = TRUE; }; func int DIA_Marduk_NoEnter_PissOff_Condition() { if((CanEnterKloster == FALSE) && Npc_IsInState(self,ZS_Talk)) { return TRUE; }; }; func void DIA_Marduk_NoEnter_PissOff_Info() { AI_Output(self,other,"DIA_Marduk_NoEnter_PissOff_01_00"); //Hmm...(naštvanř) AI_StopProcessInfos(self); B_Attack(self,other,AR_GuildEnemy,0); }; instance DIA_Marduk_JOB(C_Info) { npc = KDF_505_Marduk; condition = DIA_Marduk_JOB_Condition; information = DIA_Marduk_JOB_Info; permanent = FALSE; description = "Jaké máš zde povinnosti?"; }; func int DIA_Marduk_JOB_Condition() { return TRUE; }; func void DIA_Marduk_JOB_Info() { AI_Output(other,self,"DIA_Marduk_JOB_15_00"); //Jaké máš zde povinnosti? AI_Output(self,other,"DIA_Marduk_JOB_05_01"); //Připravuji paladiny na jejich boj se Zlem. }; instance DIA_Marduk_Arbeit(C_Info) { npc = KDF_505_Marduk; nr = 3; condition = DIA_Marduk_Arbeit_Condition; information = DIA_Marduk_Arbeit_Info; permanent = FALSE; description = "Co pro tebe můžu udělat, mistře?"; }; func int DIA_Marduk_Arbeit_Condition() { if(MIS_KlosterArbeit == LOG_Running) { return TRUE; }; }; func void DIA_Marduk_Arbeit_Info() { AI_Output(other,self,"DIA_Marduk_Arbeit_15_00"); //Co pro tebe můžu udělat, mistře? AI_Output(self,other,"DIA_Marduk_Arbeit_05_01"); //Pro mne? Ne, nepotřebuji tvou pomoc. Raději se pomodli za válečníky Innose, kteří se vypravili do Hornického údolí. MIS_MardukBeten = LOG_Running; B_StartOtherRoutine(Sergio,"WAIT"); Log_CreateTopic(Topic_MardukBeten,LOG_MISSION); Log_SetTopicStatus(Topic_MardukBeten,LOG_Running); B_LogEntry(Topic_MardukBeten,"Mistr Marduk pro mne nemá žádné úkoly. Byl by ale rád, kdybych se pomodlil za paladiny."); }; instance DIA_Marduk_Gebetet(C_Info) { npc = KDF_505_Marduk; nr = 3; condition = DIA_Marduk_Gebetet_Condition; information = DIA_Marduk_Gebetet_Info; permanent = FALSE; description = "Pomodlil jsem se za paladiny."; }; func int DIA_Marduk_Gebetet_Condition() { if((MIS_MardukBeten == LOG_Running) && Npc_KnowsInfo(other,PC_PrayShrine_Paladine)) { return TRUE; }; }; func void DIA_Marduk_Gebetet_Info() { AI_Output(other,self,"DIA_Marduk_Gebetet_15_00"); //Pomodlil jsem se za paladiny. AI_Output(self,other,"DIA_Marduk_Gebetet_05_01"); //Dobře jsi udělal. Teď se vrať ke svým povinnostem. MIS_MardukBeten = LOG_SUCCESS; B_GivePlayerXP(XP_MardukBeten); B_StartOtherRoutine(Sergio,"START"); }; instance DIA_Marduk_Evil(C_Info) { npc = KDF_505_Marduk; condition = DIA_Marduk_Evil_Condition; information = DIA_Marduk_Evil_Info; permanent = TRUE; description = "Co je 'Zlo'?"; }; func int DIA_Marduk_Evil_Condition() { if(Npc_KnowsInfo(hero,DIA_Marduk_JOB)) { return TRUE; }; }; func void DIA_Marduk_Evil_Info() { AI_Output(other,self,"DIA_Marduk_Evil_15_00"); //Co je 'Zlo'? AI_Output(self,other,"DIA_Marduk_Evil_05_01"); //Zlo je všude. Je to síla Beliara, Innosovho odvěkého nepřítele. AI_Output(self,other,"DIA_Marduk_Evil_05_02"); //Je to všudypřítomná temnota, která chce navždy zničit Světlo Innosovo. AI_Output(self,other,"DIA_Marduk_Evil_05_03"); //Beliar je Pán temnoty, nenávisti a ničení. AI_Output(self,other,"DIA_Marduk_Evil_05_04"); //Jenom ti z nás, kterým v srdci hoří Innosův oheň, přinesou do světa jeho Světlo a zaženou temnotu. }; instance DIA_Marduk_Pal(C_Info) { npc = KDF_505_Marduk; condition = DIA_Marduk_Pal_Condition; information = DIA_Marduk_Pal_Info; permanent = FALSE; description = "V kláštere žijí jenom mágové a novici?"; }; func int DIA_Marduk_Pal_Condition() { if(Npc_KnowsInfo(hero,DIA_Marduk_JOB)) { return TRUE; }; }; func void DIA_Marduk_Pal_Info() { AI_Output(other,self,"DIA_Marduk_Pal_15_00"); //V kláštere žijí jenom mágové a novici? AI_Output(self,other,"DIA_Marduk_Pal_05_01"); //Správně. Na rozdíl od naší komunity, která uznává Slovo Innosovo... AI_Output(self,other,"DIA_Marduk_Pal_05_02"); //... si paladinové nadevše ctí Pánovy Skutky. AI_Output(self,other,"DIA_Marduk_Pal_05_03"); //My jsme jeho představitelé, ale paladinové válečníci, kteří jdou do boje v jeho jméně a zvyšují jeho slávu. }; instance DIA_Marduk_Kap2_EXIT(C_Info) { npc = KDF_505_Marduk; nr = 999; condition = DIA_Marduk_Kap2_EXIT_Condition; information = DIA_Marduk_Kap2_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Marduk_Kap2_EXIT_Condition() { if(Kapitel == 2) { return TRUE; }; }; func void DIA_Marduk_Kap2_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_Marduk_Kap3_EXIT(C_Info) { npc = KDF_505_Marduk; nr = 999; condition = DIA_Marduk_Kap3_EXIT_Condition; information = DIA_Marduk_Kap3_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Marduk_Kap3_EXIT_Condition() { if(Kapitel == 3) { return TRUE; }; }; func void DIA_Marduk_Kap3_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_Marduk_Kap3_Hello(C_Info) { npc = KDF_505_Marduk; nr = 30; condition = DIA_Marduk_Kap3_Hello_Condition; information = DIA_Marduk_Kap3_Hello_Info; permanent = FALSE; important = TRUE; }; func int DIA_Marduk_Kap3_Hello_Condition() { if((Kapitel == 3) && ((hero.guild == GIL_PAL) || (hero.guild == GIL_DJG))) { return TRUE; }; }; func void DIA_Marduk_Kap3_Hello_Info() { AI_Output(self,other,"DIA_Marduk_Kap3_Hello_Info_05_00"); //Vítej, synu můj. if(hero.guild == GIL_PAL) { AI_Output(self,other,"DIA_Marduk_Kap3_Hello_Info_05_01"); //Kdy ses stal jedním z paladinů? }; if(hero.guild == GIL_DJG) { AI_Output(self,other,"DIA_Marduk_Kap3_Hello_Info_05_02"); //Odkud jsi přišel? }; Info_ClearChoices(DIA_Marduk_Kap3_Hello); Info_AddChoice(DIA_Marduk_Kap3_Hello,"To není tvoje věc.",DIA_Marduk_Kap3_Hello_NotYourConcern); if(hero.guild == GIL_PAL) { Info_AddChoice(DIA_Marduk_Kap3_Hello,"Jenom nedávno.",DIA_Marduk_Kap3_Hello_Soon); }; if(hero.guild == GIL_DJG) { Info_AddChoice(DIA_Marduk_Kap3_Hello,"Přišel jsem ze statků.",DIA_Marduk_Kap3_Hello_DJG); }; }; func void DIA_Marduk_Kap3_Hello_NotYourConcern() { AI_Output(other,self,"DIA_Marduk_Kap3_Hello_NotYourConcern_15_00"); //To není tvoje věc. if(hero.guild == GIL_PAL) { AI_Output(self,other,"DIA_Marduk_Kap3_Hello_NotYourConcern_05_01"); //(nadává) Paladin by měl vždy být slušný a skromný. Je tvou povinností chránit ty, kteří to sami nedokážou. AI_Output(self,other,"DIA_Marduk_Kap3_Hello_NotYourConcern_05_02"); //(nadává) Je to výsada a měl bys být vděčný za to, že ti to Innos umožnil. Popřemýšlej o tom! }; if(hero.guild == GIL_DJG) { AI_Output(self,other,"DIA_Marduk_Kap3_Hello_NotYourConcern_05_03"); //(nahněvaně) Byly časy, kdy spodina nemohla vstoupit do našeho kláštera. Ty jsi důkazem, že to tak bylo lepší. AI_Output(self,other,"DIA_Marduk_Kap3_Hello_NotYourConcern_05_04"); //(varovně) Varuji tě, když něco uděláš, budeš okamžitě potrestán. Nebudeme podporovat falešnou shovívavost. }; Info_ClearChoices(DIA_Marduk_Kap3_Hello); }; func void DIA_Marduk_Kap3_Hello_Soon() { AI_Output(other,self,"DIA_Marduk_Kap3_Hello_Soon_15_00"); //Jenom nedávno. AI_Output(self,other,"DIA_Marduk_Kap3_Hello_Soon_05_01"); //Tak tě teda vítám. V tomto boji potřebujeme každého muže, který má kuráž postavit se Zlu. AI_Output(self,other,"DIA_Marduk_Kap3_Hello_Soon_05_02"); //Naše víra leží v rukou mužů jako ty. Nechť ti Innos dodá odvahu. Info_ClearChoices(DIA_Marduk_Kap3_Hello); }; func void DIA_Marduk_Kap3_Hello_DJG() { AI_Output(other,self,"DIA_Marduk_Kap3_Hello_DJG_15_00"); //Přišel jsem ze statků. AI_Output(self,other,"DIA_Marduk_Kap3_Hello_DJG_05_01"); //Tak tě teda ve jméně naší pohostinnosti vítám. Doufám, že jí patřičně oceníš. AI_Output(self,other,"DIA_Marduk_Kap3_Hello_DJG_05_02"); //Nezneužívej svou pozici hoste, jinak budeš mít veliké problémy. Info_ClearChoices(DIA_Marduk_Kap3_Hello); }; instance DIA_Marduk_TrainPals(C_Info) { npc = KDF_505_Marduk; nr = 32; condition = DIA_Marduk_TrainPals_Condition; information = DIA_Marduk_TrainPals_Info; permanent = TRUE; description = "Co mě můžeš naučit?"; }; var int Marduk_TrainPals_permanent; func int DIA_Marduk_TrainPals_Condition() { if((hero.guild == GIL_PAL) && (Marduk_TrainPals_permanent == FALSE)) { return TRUE; }; }; func void DIA_Marduk_TrainPals_Info() { AI_Output(other,self,"DIA_Marduk_TrainPals_15_00"); //Co mě můžeš naučit? AI_Output(self,other,"DIA_Marduk_TrainPals_05_01"); //Přirozeně to nejsou bojová umění. AI_Output(self,other,"DIA_Marduk_TrainPals_05_02"); //Můžu k tobě ale přinést něco z darů Innose. AI_Output(self,other,"DIA_Marduk_TrainPals_05_03"); //Mimo toho tě musím připravit na Posvěcení meče. AI_Output(other,self,"DIA_Marduk_TrainPals_15_04"); //A magie? AI_Output(self,other,"DIA_Marduk_TrainPals_05_05"); //Tady vyučujeme jenom naši magii. Magii paladinů se musíš naučit ve městě. Info_ClearChoices(DIA_Marduk_TrainPals); Info_AddChoice(DIA_Marduk_TrainPals,"Možná později.",DIA_Marduk_TrainPals_Later); Info_AddChoice(DIA_Marduk_TrainPals,"Co tím myslíš?",DIA_Marduk_TrainPals_Meaning); Info_AddChoice(DIA_Marduk_TrainPals,"Co je Posvěcení meče?",DIA_Marduk_TrainPals_Blessing); }; func void DIA_Marduk_TrainPals_Later() { AI_Output(other,self,"DIA_Marduk_TrainPals_Later_15_00"); //Možná později. AI_Output(self,other,"DIA_Marduk_TrainPals_Later_05_01"); //Jsi tu kdykoli srdečně vítán. Info_ClearChoices(DIA_Marduk_TrainPals); }; func void DIA_Marduk_TrainPals_Meaning() { AI_Output(other,self,"DIA_Marduk_TrainPals_Meaning_15_00"); //Co tím myslíš? AI_Output(self,other,"DIA_Marduk_TrainPals_Meaning_05_01"); //Když musel Innos opustit svět, nechal lidstvu část své božské moci. AI_Output(self,other,"DIA_Marduk_TrainPals_Meaning_05_02"); //Jenom několik z nás jí může použít a dozírat na vykonávání spravedlnosti v jeho jménu. AI_Output(other,self,"DIA_Marduk_TrainPals_Meaning_15_03"); //A co vyžaduješ ode mne? AI_Output(self,other,"DIA_Marduk_TrainPals_Meaning_05_04"); //Můžu tě přivést na správnou cestu, abys poznal podstatu Innose a následoval ho. }; func void DIA_Marduk_TrainPals_Blessing() { AI_Output(other,self,"DIA_Marduk_TrainPals_Blessing_15_00"); //Co je Posvěcení meče? AI_Output(self,other,"DIA_Marduk_TrainPals_Blessing_05_01"); //Posvěcení meče je jeden z nejposvátnějších rituálů paladinů. AI_Output(self,other,"DIA_Marduk_TrainPals_Blessing_05_02"); //Při této ceremonii, Svatá síla Innosova přetéká čepeli paladinovho meče a dodá meči ohromnou sílu. AI_Output(self,other,"DIA_Marduk_TrainPals_Blessing_05_03"); //Takhle posvěcený meč je paladinův nejcennější majetek a provází ho celý život. Marduk_TrainPals_permanent = TRUE; }; instance DIA_Marduk_SwordBlessing(C_Info) { npc = KDF_505_Marduk; nr = 33; condition = DIA_Marduk_SwordBlessing_Condition; information = DIA_Marduk_SwordBlessing_Info; permanent = TRUE; description = "Chtěl bych posvětit svůj meč."; }; func int DIA_Marduk_SwordBlessing_Condition() { if(Marduk_TrainPals_permanent == TRUE) { return TRUE; }; }; func void DIA_Marduk_SwordBlessing_Info() { AI_Output(other,self,"DIA_Marduk_SwordBlessing_15_00"); //Chtěl bych posvětit svůj meč. AI_Output(self,other,"DIA_Marduk_SwordBlessing_05_01"); //Pokud jsi rozhodnout podstoupit tento krok, nejprve potřebuješ magickou čepel. AI_Output(self,other,"DIA_Marduk_SwordBlessing_05_02"); //Pak bys měl jít do kaple a pomodlit se. AI_Output(self,other,"DIA_Marduk_SwordBlessing_05_03"); //Při modlitbě a po rozumném daru, bys měl žádat o jeho přízeň a vedení v boji proti Zlu. AI_Output(self,other,"DIA_Marduk_SwordBlessing_05_04"); //Pokud ti bude Innos nakloněný, od toho momentu bude tvůj meč bude zasvěcen Pánovi. Info_ClearChoices(DIA_Marduk_SwordBlessing); Info_AddChoice(DIA_Marduk_SwordBlessing,Dialog_Back,DIA_Marduk_SwordBlessing_Back); Info_AddChoice(DIA_Marduk_SwordBlessing,"Co by mělo být tím darem?",DIA_Marduk_SwordBlessing_Donation); Info_AddChoice(DIA_Marduk_SwordBlessing,"Kde získám čepel z rudy?",DIA_Marduk_SwordBlessing_OreBlade); }; func void DIA_Marduk_SwordBlessing_Back() { Info_ClearChoices(DIA_Marduk_SwordBlessing); }; func void DIA_Marduk_SwordBlessing_Donation() { AI_Output(other,self,"DIA_Marduk_SwordBlessing_Donation_15_00"); //Co by mělo být tím darem? AI_Output(self,other,"DIA_Marduk_SwordBlessing_Donation_05_01"); //Teď, vzhledem na přízeň, která je ti nakloněna, je 5000 zlatých víc než vhodných. AI_Output(self,other,"DIA_Marduk_SwordBlessing_Donation_05_02"); //Samozřejmě můžeš darovat i víc. }; func void DIA_Marduk_SwordBlessing_OreBlade() { AI_Output(other,self,"DIA_Marduk_SwordBlessing_OreBlade_15_00"); //Kde můžu získat magickou čepel? AI_Output(self,other,"DIA_Marduk_SwordBlessing_OreBlade_05_01"); //Zkus kováře Harada ve městě. AI_Output(self,other,"DIA_Marduk_SwordBlessing_OreBlade_05_02"); //Paladiny zásobuje těmi nejlepšími čepelemi. if(Npc_IsDead(Harad) == TRUE) { AI_Output(other,self,"DIA_Marduk_SwordBlessing_OreBlade_15_03"); //Harad je mrtvý. AI_Output(self,other,"DIA_Marduk_SwordBlessing_OreBlade_05_04"); //To je mi líto, budeš tedy muset čekat, dokud se nevrátíš s ostatními paladiny na pevninu. }; }; instance DIA_Marduk_Kap3_PERM(C_Info) { npc = KDF_505_Marduk; nr = 39; condition = DIA_Marduk_Kap3_PERM_Condition; information = DIA_Marduk_Kap3_PERM_Info; permanent = TRUE; description = "Nějaké novinky?"; }; func int DIA_Marduk_Kap3_PERM_Condition() { if(Kapitel == 3) { return TRUE; }; }; func void DIA_Marduk_Kap3_PERM_Info() { AI_Output(other,self,"DIA_Marduk_Kap3_PERM_15_00"); //Nějaké novinky? if(MIS_NovizenChase == LOG_Running) { AI_Output(self,other,"DIA_Marduk_Kap3_PERM_05_01"); //Ano, nepřítel uspěl a v naších radách je zrádce. AI_Output(self,other,"DIA_Marduk_Kap3_PERM_05_02"); //Ukradl Innosovo oko, jeden z naších nejdůležitějších artefaktů. A to je jenom špička ledovce. }; AI_Output(self,other,"DIA_Marduk_Kap3_PERM_05_04"); //(neklidně) Nepřítel už pronikl i do města. AI_Output(other,self,"DIA_Marduk_Kap3_PERM_15_05"); //Co tím myslíš? AI_Output(self,other,"DIA_Marduk_Kap3_PERM_05_06"); //Jeden z paladinů, Lothar, byl zavražděn uprostřed ulice. AI_Output(self,other,"DIA_Marduk_Kap3_PERM_05_07"); //(nahněvaně) A za denního světla! Už to zašlo příliš daleko, ale obávám se, že to je jenom začátek. Info_ClearChoices(DIA_Marduk_Kap3_PERM); Info_AddChoice(DIA_Marduk_Kap3_PERM,Dialog_Back,DIA_Marduk_Kap3_PERM_BAck); Info_AddChoice(DIA_Marduk_Kap3_PERM,"Co bude teď?",DIA_Marduk_Kap3_PERM_AndNow); if(MIS_RescueBennet == LOG_SUCCESS) { Info_AddChoice(DIA_Marduk_Kap3_PERM,"Bennet je nevinný.",DIA_Marduk_Kap3_PERM_BennetisNotGuilty); } else { Info_AddChoice(DIA_Marduk_Kap3_PERM,"Chytli už toho vraha?",DIA_Marduk_Kap3_PERM_Murderer); }; if(MIS_NovizenChase == LOG_Running) { Info_AddChoice(DIA_Marduk_Kap3_PERM,"Kde je teď ten zloděj?",DIA_Marduk_Kap3_PERM_thief); }; }; func void DIA_Marduk_Kap3_PERM_BAck() { Info_ClearChoices(DIA_Marduk_Kap3_PERM); }; func void DIA_Marduk_Kap3_PERM_AndNow() { AI_Output(other,self,"DIA_Marduk_Kap3_PERM_AndNow_15_00"); //Co bude teď? if(MIS_NovizenChase == LOG_Running) { AI_Output(self,other,"DIA_Marduk_Kap3_PERM_AndNow_05_01"); //Budeme stíhat toho zloděje kam bude třeba. Polapíme ho a dohlédneme na to, aby dostal, co mu patří. AI_Output(other,self,"DIA_Marduk_Kap3_PERM_AndNow_15_02"); //Musíme zjistit kdo ten zloděj je. AI_Output(self,other,"DIA_Marduk_Kap3_PERM_AndNow_05_03"); //Za nedlouho na to přijdeme. A nezáleží na tom jak dlouho to bude trvat, my ho chytneme. AI_Output(self,other,"DIA_Marduk_Kap3_PERM_AndNow_05_04"); //Přísahám Innosovi. } else { AI_Output(self,other,"DIA_Marduk_Kap3_PERM_AndNow_05_05"); //Vražda, ještě k tomu paladina, je bezpochyby jeden z nejhorších zločinů. AI_Output(self,other,"DIA_Marduk_Kap3_PERM_AndNow_05_06"); //Vrah bude nepochybně popraven. }; }; func void DIA_Marduk_Kap3_PERM_BennetisNotGuilty() { AI_Output(other,self,"DIA_Marduk_Kap3_PERM_BennetisNotGuilty_15_00"); //Bennet je nevinný. Ten svědek lhal. AI_Output(self,other,"DIA_Marduk_Kap3_PERM_BennetisNotGuilty_05_01"); //Jak to víš? AI_Output(other,self,"DIA_Marduk_Kap3_PERM_BennetisNotGuilty_15_02"); //Našel jsem důkaz. AI_Output(self,other,"DIA_Marduk_Kap3_PERM_BennetisNotGuilty_05_03"); //Někdy si myslím, že zrada a nenasytnost jsou našimi největšími nepříteli. }; func void DIA_Marduk_Kap3_PERM_Murderer() { AI_Output(other,self,"DIA_Marduk_Kap3_PERM_Murderer_15_00"); //Chytli už toho vraha? AI_Output(self,other,"DIA_Marduk_Kap3_PERM_Murderer_05_01"); //Naštěstí, ano. Byl to jeden z těch hrdlořezů z Onarovy farmy. AI_Output(other,self,"DIA_Marduk_Kap3_PERM_Murderer_15_02"); //Kdo? AI_Output(self,other,"DIA_Marduk_Kap3_PERM_Murderer_05_03"); //To nevím. Ale určitě existuje několik žoldáků, od kterých bys to mohl očekávat. }; func void DIA_Marduk_Kap3_PERM_thief() { AI_Output(other,self,"DIA_Marduk_Kap3_PERM_thief_15_00"); //Kde je teď ten zloděj? AI_Output(self,other,"DIA_Marduk_Kap3_PERM_thief_05_01"); //Nevím, vyletěl z brány jako posednutý a pak zmizl. AI_Output(self,other,"DIA_Marduk_Kap3_PERM_thief_05_02"); //Nezáleží na tom, kam se skryje, Innosův hněv ho zasáhne a spálí jeho temnou duši. }; instance DIA_Marduk_Kap4_EXIT(C_Info) { npc = KDF_505_Marduk; nr = 999; condition = DIA_Marduk_Kap4_EXIT_Condition; information = DIA_Marduk_Kap4_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Marduk_Kap4_EXIT_Condition() { if(Kapitel == 4) { return TRUE; }; }; func void DIA_Marduk_Kap4_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_Marduk_Kap4U5_PERM(C_Info) { npc = KDF_505_Marduk; nr = 49; condition = DIA_Marduk_Kap4U5_PERM_Condition; information = DIA_Marduk_Kap4U5_PERM_Info; permanent = TRUE; description = "Nějaké novinky?"; }; func int DIA_Marduk_Kap4U5_PERM_Condition() { if((Kapitel == 4) || (Kapitel == 5)) { return TRUE; }; }; func void DIA_Marduk_Kap4U5_PERM_Info() { AI_Output(other,self,"DIA_Marduk_Kap4U5_PERM_15_00"); //Nějaké novinky? AI_Output(self,other,"DIA_Marduk_Kap4U5_PERM_05_01"); //Ne, bohužel ne, situace je ještě stále kritická. }; instance DIA_Marduk_Kap5_EXIT(C_Info) { npc = KDF_505_Marduk; nr = 999; condition = DIA_Marduk_Kap5_EXIT_Condition; information = DIA_Marduk_Kap5_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Marduk_Kap5_EXIT_Condition() { if(Kapitel >= 5) { return TRUE; }; }; func void DIA_Marduk_Kap5_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_Marduk_PICKPOCKET(C_Info) { npc = KDF_505_Marduk; nr = 900; condition = DIA_Marduk_PICKPOCKET_Condition; information = DIA_Marduk_PICKPOCKET_Info; permanent = TRUE; description = PICKPOCKET_COMM; }; func int DIA_Marduk_PICKPOCKET_Condition() { return C_Beklauen(36,40); }; func void DIA_Marduk_PICKPOCKET_Info() { Info_ClearChoices(DIA_Marduk_PICKPOCKET); Info_AddChoice(DIA_Marduk_PICKPOCKET,Dialog_Back,DIA_Marduk_PICKPOCKET_BACK); Info_AddChoice(DIA_Marduk_PICKPOCKET,DIALOG_PICKPOCKET,DIA_Marduk_PICKPOCKET_DoIt); }; func void DIA_Marduk_PICKPOCKET_DoIt() { B_Beklauen(); INNOSCRIMECOUNT = INNOSCRIMECOUNT + 1; Info_ClearChoices(DIA_Marduk_PICKPOCKET); }; func void DIA_Marduk_PICKPOCKET_BACK() { Info_ClearChoices(DIA_Marduk_PICKPOCKET); }; instance DIA_MARDUK_CANTEACHARMOR(C_Info) { npc = KDF_505_Marduk; nr = 49; condition = dia_marduk_canteacharmor_condition; information = dia_marduk_canteacharmor_info; permanent = TRUE; description = "(Zeptat se na rudné zbroje)"; }; func int dia_marduk_canteacharmor_condition() { if((MARDUK_CANTEACHARMOR == FALSE) && ((HARADTELLSMARDUK_P1 == TRUE) || (HARADTELLSMARDUK_P2 == TRUE))) { return TRUE; }; }; func void dia_marduk_canteacharmor_info() { AI_Output(other,self,"DIA_Marduk_CanTeachArmor_01_00"); //Slyšel jsem, že mágové Ohně vědí, jak dodat rudným zbrojím božskou sílu. Je to tak? AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_01"); //A od koho jsi to slyšel, synu? AI_Output(other,self,"DIA_Marduk_CanTeachArmor_01_02"); //Řekl mi o tom kovář Harad. Taktéž říkal, že to jsou jenom povídačky... AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_03"); //Kdybys nebyl paladin, asi bych ti pověděl, že jsou to jenom rozprávky... (přemýšlí) AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_04"); //Ale jelikož jsi Innosův válečník... – myslím, že ti můžu odhalit toto tajemství. AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_05"); //Pokud toto vážně ovládneš – najdeš nejdražší dar Innose, jaký může být... AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_07"); //Podstata tohoto poznání pozůstává z posvěcení paladinské rudné zbroje skrze tajnou modlitbu, kterou znají jenom Vyvolení. AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_08"); //Posvěcení zbroje – nejsvatější paladinský rituál... A zvládnou ho jenom ti nejlepší. AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_10"); //V tomto rituálu zbrojí prochází energie a moudrost Innose, která ho naplní sílou a dodá mu božskou podstatu! AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_12"); //Poté si zbroj nemůžeš jednoduše sundat, protože když tak uděláš, zemřeš! AI_Output(other,self,"DIA_Marduk_CanTeachArmor_01_15"); //A co je potřebné na to, abych se stal jedním z Vyvoleních? AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_16"); //Nic! Innos si sám zvolí, kdo je hodný jeho daru a kdo ne... AI_Output(other,self,"DIA_Marduk_CanTeachArmor_01_17"); //A co potřebuji, když chci vykonat tenhle rituál? AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_19"); //Rudná paladinská zbroj je na začátek potřebné – nezáleží na tom, která. AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_20"); //Pak bys měl přijít do kaple, ale nejprve by sis měl nastudovat modlitbu Vyvolených. AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_21"); //Pří modlení a po odevzdání daru, bys měl Innosa požádat o přízeň a vedení v boji se Zlem. AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_22"); //Když se Innos rozhodne, že jsi hoden jeho daru, sešle na tebe svou dobrou vůli a posvětí tvou zbroj. AI_Output(other,self,"DIA_Marduk_CanTeachArmor_01_24"); //A jak Innos zjistí, zda jsem hoden? AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_25"); //Modli se k němu a možná tě vyslyší. AI_Output(other,self,"DIA_Marduk_CanTeachArmor_01_26"); //A kde mám najít slova modlitby Vyvolených, mistře? AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_27"); //Nemusíš. Dám ti knihu, ve které jsou napsané. Jednoduše si je přečti a zapamatuj. B_GiveInvItems(self,other,itwr_innospray,1); AI_Output(other,self,"DIA_Marduk_CanTeachArmor_01_29"); //Děkuji, mistře. AI_Output(other,self,"DIA_Marduk_CanTeachArmor_01_30"); //A jaký dar bych měl dát Innosovi? AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_31"); //Myslím, že jistá suma zlata bude v pořádku. Nemůžu ti ale říct, kolik – Innos se rozhodne sám. AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_33"); //To je všechno, co bys měl vědět. Teď jdi, synu můj. AI_Output(self,other,"DIA_Marduk_CanTeachArmor_01_34"); //Nechť tě Innos provází! AI_StopProcessInfos(self); B_LogEntry(TOPIC_MAGICINNOSARMOR,"Mág Ohně Marduk mi řekl o posvátném rituálu posvěcení paladinské zbroje a tvrdí, že je ho nutné vykonat."); MARDUK_CANTEACHARMOR = TRUE; }; instance DIA_MARDUK_TELLSERGIO(C_Info) { npc = KDF_505_Marduk; nr = 49; condition = dia_marduk_tellsergio_condition; information = dia_marduk_tellsergio_info; permanent = FALSE; description = "Kde je paladin Sergio?"; }; func int dia_marduk_tellsergio_condition() { if((MIS_FARIONTEST == LOG_Running) && (SERGIOISDEAD == FALSE)) { return TRUE; }; }; func void dia_marduk_tellsergio_info() { B_GivePlayerXP(100); AI_Output(other,self,"DIA_Marduk_TellSergio_01_00"); //Kde je paladin Sergio? AI_Output(self,other,"DIA_Marduk_TellSergio_01_01"); //Tady ho nenajdeš, synu. Jenom nedávno se rozhodl opustit klášter! B_LogEntry(TOPIC_FARIONTEST,"Ukázalo se, že paladin Sergio nedávno opustil klášter a nikdo neví, kam šel. Mimo jiného Marduk řekl, že Sergio byl silně rozrušen!"); }; instance DIA_MARDUK_RUNEMAGICNOTWORK(C_Info) { npc = KDF_505_Marduk; nr = 1; condition = dia_marduk_runemagicnotwork_condition; information = dia_marduk_runemagicnotwork_info; permanent = FALSE; description = "Tvé magické runy - stále fungují?"; }; func int dia_marduk_runemagicnotwork_condition() { if((STOPBIGBATTLE == TRUE) && (MIS_RUNEMAGICNOTWORK == LOG_Running) && (FIREMAGERUNESNOT == FALSE)) { return TRUE; }; }; func void dia_marduk_runemagicnotwork_info() { B_GivePlayerXP(200); AI_Output(other,self,"DIA_Marduk_RuneMagicNotWork_01_00"); //Tvé magické runy - stále fungují? AI_Output(self,other,"DIA_Marduk_RuneMagicNotWork_01_01"); //Momentálně ne... (nechápavě) A ani za svět nedokážu pochopit proč! AI_Output(self,other,"DIA_Marduk_RuneMagicNotWork_01_03"); //Pravděpodobně to postihlo všechny! Ostatním mágům Ohně se také nic nedaří. AI_Output(other,self,"DIA_Marduk_RuneMagicNotWork_01_04"); //Očividně. B_LogEntry(TOPIC_RUNEMAGICNOTWORK,"Runové kameny ostatních mágů Ohně také ztratili svou moc."); FIREMAGERUNESNOT = TRUE; }; instance DIA_MARDUK_TREVIUS(C_Info) { npc = KDF_505_Marduk; nr = 1; condition = dia_marduk_trevius_condition; information = dia_marduk_trevius_info; permanent = FALSE; important = TRUE; }; func int dia_marduk_trevius_condition() { if((MIS_XARDASNDMTASKSONE == LOG_Running) && (COUNT_TREVIUS_DIALOG == TRUE)) { return TRUE; }; }; func void dia_marduk_trevius_info() { AI_Output(self,other,"DIA_Marduk_TREVIUS_01_00"); //Hledáš písemnosti Xardase? AI_Output(other,self,"DIA_Marduk_TREVIUS_01_01"); //No vlastně ano. Můžeš mě k tomu něco říct? AI_Output(other,self,"DIA_Marduk_TREVIUS_01_02"); //Ostatní mě málem spálili pohledem, při zmínce o Xardasovi. AI_Output(self,other,"DIA_Marduk_TREVIUS_01_03"); //U nás není přípustné o tom mluvit... AI_Output(self,other,"DIA_Marduk_TREVIUS_01_04"); //Zejména o temných mázích a jejich přisluhovačích. AI_Output(self,other,"DIA_Marduk_TREVIUS_01_05"); //Ale tento případ je velmi zvláštní. Ztratil se náš bratr - Trevius. AI_Output(self,other,"DIA_Marduk_TREVIUS_01_06"); //On se zabýval studiem magických formulí, které zůstali po Xardasovi v klášteře. AI_Output(self,other,"DIA_Marduk_TREVIUS_01_07"); //Je už příliš dlouho pryč, a obávám se, že už ho živého neuvidíme. Najdi ho a najdeš i rukopisy. AI_Output(self,other,"DIA_Marduk_TREVIUS_01_08"); //A prosím tě, informuj mě co se stalo s Treviusem! To je vše, jdi... B_LogEntry(TOPIC_XARDASNDMTASKSONE,"Aspoň, že se mezi těmi arogantní mágy našel ještě rozumný člověk. Marduk mi řekl, že rukopis Xardase studoval mág Trevius. Ale někam zmizel..."); AI_StopProcessInfos(self); Wld_InsertNpc(KDF_512_Trevius,"NW_FARM2_TAVERNCAVE1_02"); B_KillNpc(KDF_512_Trevius); Wld_InsertNpc(Demon,"NW_FARM2_TAVERNCAVE1_02"); }; instance DIA_MARDUK_TREVIUS1(C_Info) { npc = KDF_505_Marduk; nr = 1; condition = dia_marduk_trevius1_condition; information = dia_marduk_trevius1_info; permanent = FALSE; important = TRUE; }; func int dia_marduk_trevius1_condition() { if((MIS_XARDASNDMTASKSONE == LOG_SUCCESS) || (Npc_HasItems(hero,itwr_xardasdocs_3) >= 1)) { return TRUE; }; }; func void dia_marduk_trevius1_info() { B_GivePlayerXP(50); AI_Output(self,other,"DIA_Marduk_TREVIUS1_01_00"); //Co víš o Treviusovi? AI_Output(other,self,"DIA_Marduk_TREVIUS1_01_01"); //Ano, je mrtvý. Našel jsem ho v blízkosti podivného kámene v západních lesích. AI_Output(self,other,"DIA_Marduk_TREVIUS1_01_02"); //Jak k tomu došlo... (smutně) Innos žehnej jeho duši! AI_Output(self,other,"DIA_Marduk_TREVIUS1_01_03"); //Děkuji, že jsi přišel. I když jsi temný mág, nemůžu se zbavit pocitu, že jsi přišel konat dobro na tomto světě. AI_Output(self,other,"DIA_Marduk_TREVIUS1_01_04"); //Vezmi si svoji odměnu a můžeš jít... B_GiveInvItems(self,hero,ItPo_Mana_03,1); AI_StopProcessInfos(self); }; instance DIA_MARDUK_LORDS_HORINIS(C_Info) { npc = KDF_505_Marduk; nr = 1; condition = dia_marduk_lords_horinis_condition; information = dia_marduk_lords_horinis_info; permanent = FALSE; important = TRUE; }; func int dia_marduk_lords_horinis_condition() { if(RavenIsDead == TRUE) { return TRUE; }; }; func void dia_marduk_lords_horinis_info() { B_GivePlayerXP(100); AI_Output(self,other,"DIA_Marduk_LORDS_HORINIS_01_01"); //Bratře, mám pocit, že zlé síly způsobily rozsáhlé škody! AI_Output(self,other,"DIA_Marduk_LORDS_HORINIS_01_02"); //Všechno nasvědčuje tomu, že někdo hodně šílený, posla zpět do říše Beliara, několik velmi nebezpečných stvoření. AI_Output(self,other,"DIA_Marduk_LORDS_HORINIS_01_03"); //Je to velké vítězství, které naplňuje mé srdce radostí. AI_Output(self,other,"DIA_Marduk_LORDS_HORINIS_01_04"); //Nevíš o tom náhodou něco? Info_ClearChoices(dia_marduk_lords_horinis); Info_AddChoice(dia_marduk_lords_horinis,"To jako, že je to moje práce!",dia_marduk_lords_horinis_yes); Info_AddChoice(dia_marduk_lords_horinis,"Ani nevím...",dia_marduk_lords_horinis_no); }; func void dia_marduk_lords_horinis_yes() { B_GivePlayerXP(250); AI_Output(other,self,"DIA_Marduk_LORDS_HORINIS_01_05"); //To jako, že je to moje práce! AI_Output(self,other,"DIA_Marduk_LORDS_HORINIS_01_06"); //Opravdu? Tak to vypadá, že nemám na výběr, než tě za tu práci odměnit. AI_Output(self,other,"DIA_Marduk_LORDS_HORINIS_01_07"); //Vezmi si tohle zlato, na důkaz vděčnosti B_GiveInvItems(self,hero,ItMi_Gold,1000); AI_Output(other,self,"DIA_Marduk_LORDS_HORINIS_01_08"); //To je opravdu velká částka! AI_Output(self,other,"DIA_Marduk_LORDS_HORINIS_01_09"); //Zasloužíš si to. Jdi bratře a Innos s tebou, při všekeré tvém počínání. INNOSPRAYCOUNT = INNOSPRAYCOUNT + 5; AI_StopProcessInfos(self); }; func void dia_marduk_lords_horinis_no() { B_GivePlayerXP(500); AI_Output(other,self,"DIA_Marduk_LORDS_HORINIS_01_10"); //Ani nevím... AI_Output(self,other,"DIA_Marduk_LORDS_HORINIS_01_11"); //Opravdu? Ale mám silný pocit, že je to tvoje zásluha. AI_Output(self,other,"DIA_Marduk_LORDS_HORINIS_01_12"); //Nebuď skromný, udělal jsi něco neuvěřitelného pro slávu Innose a svatý oheň. AI_Output(other,self,"DIA_Marduk_LORDS_HORINIS_01_13"); //Nu dobrá, tebe neoklamu. AI_Output(self,other,"DIA_Marduk_LORDS_HORINIS_01_14"); //Já to věděl! Velice ti děkuji, bratře. Udělal jsi skvělou věc pro celý ostrov. A zasloužíš si odměnu. if((hero.guild == GIL_KDF) && (hero.guild == GIL_KDW) && (hero.guild == GIL_KDM) && (hero.guild == GIL_GUR)) { B_GiveInvItems(self,hero,ItPo_Perm_Mana,1); } else { B_GiveInvItems(self,hero,ItPo_Perm_Health,1); }; INNOSPRAYCOUNT = INNOSPRAYCOUNT + 5; AI_StopProcessInfos(self); };
D
/Users/sourcesoft/Documents/SSProjects/JenKinDemo/DerivedData/JenKinDemo/Build/Intermediates.noindex/JenKinDemo.build/Debug-iphonesimulator/JenKinDemo.build/Objects-normal/x86_64/AppDelegate.o : /Users/sourcesoft/Documents/SSProjects/JenKinDemo/JenKinDemo/AppDelegate.swift /Users/sourcesoft/Documents/SSProjects/JenKinDemo/JenKinDemo/ViewController.swift /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/Darwin.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/sourcesoft/Documents/SSProjects/JenKinDemo/DerivedData/JenKinDemo/Build/Intermediates.noindex/JenKinDemo.build/Debug-iphonesimulator/JenKinDemo.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/sourcesoft/Documents/SSProjects/JenKinDemo/JenKinDemo/AppDelegate.swift /Users/sourcesoft/Documents/SSProjects/JenKinDemo/JenKinDemo/ViewController.swift /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/Darwin.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/sourcesoft/Documents/SSProjects/JenKinDemo/DerivedData/JenKinDemo/Build/Intermediates.noindex/JenKinDemo.build/Debug-iphonesimulator/JenKinDemo.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/sourcesoft/Documents/SSProjects/JenKinDemo/JenKinDemo/AppDelegate.swift /Users/sourcesoft/Documents/SSProjects/JenKinDemo/JenKinDemo/ViewController.swift /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/Darwin.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/xcode9/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
/Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/ResponseSerialization.o : /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/MultipartFormData.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Timeline.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Alamofire.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Response.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/TaskDelegate.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/SessionDelegate.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Validation.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/SessionManager.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/AFError.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Notifications.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Result.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Request.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/ResponseSerialization~partial.swiftmodule : /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/MultipartFormData.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Timeline.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Alamofire.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Response.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/TaskDelegate.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/SessionDelegate.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Validation.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/SessionManager.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/AFError.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Notifications.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Result.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Request.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/ResponseSerialization~partial.swiftdoc : /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/MultipartFormData.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Timeline.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Alamofire.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Response.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/TaskDelegate.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/SessionDelegate.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Validation.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/SessionManager.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/AFError.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Notifications.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Result.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/Request.swift /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Shashi/Projects/NSHackathon/Iosapp/insightTEK/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap
D
/++ Importing `quantities.si` instantiate all the definitions of the SI units, prefixes, parsing functions and formatting functions, both at run-time and compile-time, storint their values as a `double`. Copyright: Copyright 2013-2018, Nicolas Sicard Authors: Nicolas Sicard License: $(LINK www.boost.org/LICENSE_1_0.txt, Boost License 1.0) Standards: $(LINK http://www.bipm.org/en/si/si_brochure/) Source: $(LINK https://github.com/biozic/quantities) +/ module quantities.si; import quantities.internal.si; mixin SIDefinitions!double;
D
// ************************************************************ // EXIT // ************************************************************ INSTANCE DIA_Sengrath_EXIT(C_INFO) { npc = PAL_267_Sengrath; nr = 999; condition = DIA_Sengrath_EXIT_Condition; information = DIA_Sengrath_EXIT_Info; permanent = TRUE; description = DIALOG_ENDE; }; FUNC INT DIA_Sengrath_EXIT_Condition() { return TRUE; }; FUNC VOID DIA_Sengrath_EXIT_Info() { AI_StopProcessInfos (self); }; // ************************************************************ // Hallo // ************************************************************ INSTANCE DIA_Sengrath_Hello (C_INFO) { npc = PAL_267_Sengrath; nr = 2; condition = DIA_Sengrath_Hello_Condition; information = DIA_Sengrath_Hello_Info; permanent = FALSE; IMPORTANT = TRUE; }; FUNC INT DIA_Sengrath_Hello_Condition() { return TRUE; }; FUNC VOID DIA_Sengrath_Hello_Info() { AI_Output (self ,other,"DIA_Sengrath_Hello_03_00"); //Wiedziałem, wiedziałem, że komuś się uda! AI_Output (self ,other,"DIA_Sengrath_Hello_03_01"); //Przybywasz zza przełęczy? W takim razie naszemu posłańcowi udało się przejść? AI_Output (other ,self,"DIA_Sengrath_Hello_15_02"); //Nie, wasz posłaniec poległ. Przybywam tu z rozkazu Lorda Hagena. AI_Output (self ,other,"DIA_Sengrath_Hello_03_03"); //Przeklęci orkowie... AI_Output (self ,other,"DIA_Sengrath_Hello_03_04"); //Kapitan Garond na pewno zechce z tobą porozmawiać. Znajdziesz go w wielkim budynku, chronionym przez dwóch strażników. }; // ************************************************************ // Equipment // ************************************************************ INSTANCE DIA_Sengrath_Equipment (C_INFO) { npc = PAL_267_Sengrath; nr = 2; condition = DIA_Sengrath_Equipment_Condition; information = DIA_Sengrath_Equipment_Info; permanent = FALSE; description = "Czy mogę uzupełnić tu gdzieś zapasy?"; }; FUNC INT DIA_Sengrath_Equipment_Condition() { return TRUE; }; FUNC VOID DIA_Sengrath_Equipment_Info() { AI_Output (other ,self,"DIA_Sengrath_Equipment_15_00"); //Czy mogę uzupełnić tu gdzieś zapasy? AI_Output (self ,other,"DIA_Sengrath_Equipment_03_01"); //Wydawaniem broni zajmuje się Tandor. Pozostałe sprawy to działka ochmistrza Engora. AI_Output (other ,self,"DIA_Sengrath_Equipment_15_02"); //A magiczne przedmioty? AI_Output (self ,other,"DIA_Sengrath_Equipment_03_03"); //Mamy trochę magicznych zwojów. Jeśli będziesz chciał kilka z nich, zgłoś się do mnie. Log_CreateTopic (TOPIC_Trader_OC,LOG_NOTE); B_LogEntry (TOPIC_Trader_OC,"Sengrath sprzedaje w zamku magiczne zwoje."); }; // ************************************************************ // Lehrer // ************************************************************ INSTANCE DIA_Sengrath_Perm (C_INFO) { npc = PAL_267_Sengrath; nr = 2; condition = DIA_Sengrath_Perm_Condition; information = DIA_Sengrath_Perm_Info; permanent = FALSE; description = "Kto może mnie czegoś tutaj nauczyć?"; }; FUNC INT DIA_Sengrath_Perm_Condition() { return TRUE; }; FUNC VOID DIA_Sengrath_Perm_Info() { AI_Output (other ,self,"DIA_Sengrath_Perm_15_00"); //Kto może mnie czegoś tutaj nauczyć? if (other.guild == GIL_KDF) && (Kapitel == 2) { AI_Output (self ,other,"DIA_Sengrath_Perm_03_01"); //Pogadaj z Miltenem - jest tu jedynym magiem. } else { AI_Output (self ,other,"DIA_Sengrath_Perm_03_02"); //Pomów z Kerolothem. To on trenuje chłopców w walce mieczem, może i ciebie czegoś nauczy. Log_CreateTopic (TOPIC_Teacher_OC,LOG_NOTE); B_LogEntry (TOPIC_Teacher_OC,"Keroloth udziela na zamku lekcji walki mieczem."); }; }; // ************************************************************ // Scrolls // ************************************************************ INSTANCE DIA_Sengrath_Scrolls (C_INFO) { npc = PAL_267_Sengrath; nr = 9; condition = DIA_Sengrath_Scrolls_Condition; information = DIA_Sengrath_Scrolls_Info; permanent = TRUE; trade = TRUE; description = "Pokaż mi, jakie zwoje oferujesz."; }; FUNC INT DIA_Sengrath_Scrolls_Condition() { if Npc_KnowsInfo (other,DIA_Sengrath_Equipment) { return TRUE; }; }; FUNC VOID DIA_Sengrath_Scrolls_Info() { B_GiveTradeInv (self); AI_Output (other ,self,"DIA_Sengrath_Scrolls_15_00"); //Pokaż mi, jakie zwoje oferujesz. }; // ************************************************************ // PICK POCKET // ************************************************************ INSTANCE DIA_Sengrath_PICKPOCKET (C_INFO) { npc = PAL_267_Sengrath; nr = 900; condition = DIA_Sengrath_PICKPOCKET_Condition; information = DIA_Sengrath_PICKPOCKET_Info; permanent = TRUE; description = Pickpocket_40; }; FUNC INT DIA_Sengrath_PICKPOCKET_Condition() { C_Beklauen (32, 35); }; FUNC VOID DIA_Sengrath_PICKPOCKET_Info() { Info_ClearChoices (DIA_Sengrath_PICKPOCKET); Info_AddChoice (DIA_Sengrath_PICKPOCKET, DIALOG_BACK ,DIA_Sengrath_PICKPOCKET_BACK); Info_AddChoice (DIA_Sengrath_PICKPOCKET, DIALOG_PICKPOCKET ,DIA_Sengrath_PICKPOCKET_DoIt); }; func void DIA_Sengrath_PICKPOCKET_DoIt() { B_Beklauen (); Info_ClearChoices (DIA_Sengrath_PICKPOCKET); }; func void DIA_Sengrath_PICKPOCKET_BACK() { Info_ClearChoices (DIA_Sengrath_PICKPOCKET); };
D
/home/raz/code_projects/keep_projects/gas_cursive_1/target/rls/debug/build/lazy_static-bce67055b719589c/build_script_build-bce67055b719589c: /home/raz/.cargo/registry/src/github.com-1ecc6299db9ec823/lazy_static-1.1.0/build.rs /home/raz/code_projects/keep_projects/gas_cursive_1/target/rls/debug/build/lazy_static-bce67055b719589c/build_script_build-bce67055b719589c.d: /home/raz/.cargo/registry/src/github.com-1ecc6299db9ec823/lazy_static-1.1.0/build.rs /home/raz/.cargo/registry/src/github.com-1ecc6299db9ec823/lazy_static-1.1.0/build.rs:
D
/Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/DrawPrizes.build/Debug-iphonesimulator/DrawPrizes.build/Objects-normal/x86_64/AppDelegate.o : /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/SceneDelegate.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/App/AppDelegate.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/ViewController+Extension.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/View+Extension.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/DrawButton.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/ItemSortViewController.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/NumberSortViewController.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/DrawSuccess.swift /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/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Modules/SwiftFireworks.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Headers/SwiftFireworks-umbrella.h /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Headers/SwiftFireworks-Swift.h /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.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.5.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/DrawPrizes.build/Debug-iphonesimulator/DrawPrizes.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/SceneDelegate.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/App/AppDelegate.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/ViewController+Extension.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/View+Extension.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/DrawButton.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/ItemSortViewController.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/NumberSortViewController.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/DrawSuccess.swift /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/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Modules/SwiftFireworks.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Headers/SwiftFireworks-umbrella.h /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Headers/SwiftFireworks-Swift.h /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.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.5.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/DrawPrizes.build/Debug-iphonesimulator/DrawPrizes.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/SceneDelegate.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/App/AppDelegate.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/ViewController+Extension.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/View+Extension.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/DrawButton.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/ItemSortViewController.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/NumberSortViewController.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/DrawSuccess.swift /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/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Modules/SwiftFireworks.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Headers/SwiftFireworks-umbrella.h /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Headers/SwiftFireworks-Swift.h /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.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.5.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/DrawPrizes.build/Debug-iphonesimulator/DrawPrizes.build/Objects-normal/x86_64/AppDelegate~partial.swiftsourceinfo : /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/SceneDelegate.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/App/AppDelegate.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/ViewController+Extension.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/View+Extension.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/Model/DrawButton.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/ItemSortViewController.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/NumberSortViewController.swift /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/DrawPrizes/View/DrawSuccess.swift /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/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Modules/SwiftFireworks.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Headers/SwiftFireworks-umbrella.h /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Headers/SwiftFireworks-Swift.h /Users/rafaelcunhadeoliveira/Documents/DrawPrizes/build/Debug-iphonesimulator/SwiftFireworks/SwiftFireworks.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.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.5.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.5.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/** * Uri parser * * Parse URI (Uniform Resource Identifiers) into parts described in RFC, based on tango.net.uri and GIO * * Authors: $(WEB github.com/robik, Robert 'Robik' Pasiński), $(WEB dzfl.pl/, Damian 'nazriel' Ziemba) * Copyright: Robert 'Robik' Pasiński, Damian 'nazriel' Ziemba 2011 * License: $(WEB http://www.boost.org/users/license.html, Boost license) * * Source: $(REPO std/net/uri.d) */ module sqld.uri; import std.string : indexOf; import std.conv : to; import std.array : split; static import std.uri; /** * Represents URI query */ struct UriQuery { /** * Array of params */ string[string] params; /** * Returns query param value with specified name * * Params: * name = Query param name * * Throws: * Exception if not exists * * Return: * String with contents */ string opIndex(string name) { if(name !in params) { throw new Exception("Param with name '"~name~"' does not exists"); } return params[name]; } size_t length() const { return params.length; } /** * Adds new query param * * Params: * k = Key * v = Value */ void add(string k, string v) { params[k] = v; } /** * Removes query param */ void remove(string k) { if(k in params) { params.remove(k); } } } /** * Represents URI * * Examples: * --------- * auto uri = new Uri("http://domain.com/path"); * assert(uri.domain == "domain.com"); * assert(uri.path == "/path"); * --------- */ class Uri { protected { string _rawscheme; string _domain; ushort _port; string _path; UriQuery _query; string _rawquery; string _user; string _password; string _fragment; string _rawUri; } /** * Creates new Uri object * * Params: * uri = Uri to parse */ this(string uri) { parse(uri); } /** * Creates new Uri object * * Params: * uri = Uri to parse * port = Port */ this(string uri, ushort port) { parse(uri, port); } /** * Parses Uri * * Params: * uri = Uri to parse * port = Port */ void parse(string uri, ushort port = 0) { reset(); size_t i, j; _port = port; _rawUri = uri; /* * Scheme */ i = uri.indexOf("://"); if(i != -1) { _rawscheme = uri[0 .. i]; uri = uri[i + 3 .. $]; } else { //i = uri.indexOf(":"); } /* * Username and Password */ j = uri.indexOf("/"); if(j != -1) { i = uri[0..j].indexOf("@"); if(i != -1) { j = uri[0..i+1].indexOf(":"); if(j != -1) { _user = uri[0 .. j]; _password = uri[j+1 .. i]; } else { _user = uri[0 .. i]; } uri = uri[i+1 .. $]; } } /* * Host and port */ i = uri.indexOf("/"); if(i == -1) i = uri.length; j = uri[0..i].indexOf(":"); if(j != -1) { _domain = uri[0..j]; _port = to!(ushort)(uri[j+1..i]); } else { _domain = uri[0..i]; } uri = uri[i .. $]; /* * Fragment */ i = uri.indexOf("#"); if(i != -1) { _fragment = uri[i+1..$]; uri = uri[0..i]; } /* * Path and Query */ i = uri.indexOf("?"); if(i != -1) { _rawquery = uri[i+1 .. $]; _path = uri[0 .. i]; parseQuery(); } else _path = uri[0..$]; if ( _path == "" ) { _path = "/"; } } void parseQuery() { auto parts = _rawquery.split("&"); foreach(part; parts) { auto i = part.indexOf("="); _query.add( part[0 .. i], part[i+1..$] ); } } /** * Resets Uri Data * * Example: * -------- * uri.parse("http://domain.com"); * assert(uri.domain == "domain.com"); * uri.reset; * assert(uri.domain == null); * -------- */ void reset() { _port = 0; _domain = _domain.init; _path = _path.init; _rawquery = _rawquery.init; _query = UriQuery(); _user = _user.init; _password = _password.init; _fragment = _fragment.init; } /** * Builds Uri string * * Returns: * Uri */ alias build toString; /// ditto string build() { string uri; uri ~= _rawscheme ~ "://"; if(_user) { uri ~= _user; if(_password) uri ~= ":"~ _password; uri ~= "@"; } uri ~= _domain; if(_port != 0) uri ~= ":" ~ to!(string)(_port); uri ~= _path; if(_rawquery) uri ~= "?" ~ _rawquery; if(_fragment) uri ~= "#" ~ fragment; return uri; } /** * Returns: Raw scheme */ @property string rawscheme() const { return _rawscheme; } /** * Returns: Uri domain */ @property string domain() const { return _domain; } /// ditto alias domain host; /** * Returns: Uri port */ @property ushort port() const { return _port; } @property Uri port(ushort port_) { _port = port_; return this; } /** * Returns: raw Uri */ @property string rawUri() const { return _rawUri; } /** * Returns: Uri path */ @property string path() const { return _path; } @property Uri path(string path_) { _path = path_; return this; } /** * Returns: Uri query (raw) */ @property string rawquery() const { return _rawquery; } @property UriQuery query() { return _query; } /** * Returns: Uri username */ @property string user() const { return _user; } @property Uri user(string username) { _user = username; return this; } /** * Returns: Uri password */ @property string password() const { return _password; } @property Uri password(string pass) { _password = pass; return this; } /** * Returns: Uri fragment */ @property string fragment() const { return _fragment; } /** * Parses Uri and returns new Uri object * * Params: * uri = Uri to parse * port = Port * * Returns: * Uri * * Example: * -------- * auto uri = Uri.parseUri("http://domain.com", 80); * -------- */ static Uri parseUri(string uri, ushort port) { return new Uri(uri, port); } /** * Parses Uri and returns new Uri object * * Params: * uri = Uri to parse * * Returns: * Uri * * Example: * -------- * auto uri = Uri.parseUri("http://domain.com"); * -------- */ static Uri parseUri(string uri) { return new Uri(uri); } static string encode(string uri) { return std.uri.encode(uri); } static string decode(string uri) { return std.uri.decode(uri); } } unittest { auto uri = new Uri("http://user:pass@domain.com:80/path/a?q=query#fragment"); assert(uri.host == "domain.com"); assert(uri.port == 80); assert(uri.user == "user"); assert(uri.password == "pass"); assert(uri.path == "/path/a"); assert(uri.rawquery == "q=query"); assert(uri.query["q"] == "query"); assert(uri.fragment == "fragment"); uri.parse("http://google.com:666"); assert(uri.port() == 666); UriQuery query = UriQuery(); query.add("key", "value"); query.add("key1" ,"value1"); assert(query.length() == 2); uri = Uri.parseUri("http://test.com/mail/user@page.com"); assert(uri.path == "/mail/user@page.com"); assert(uri.rawscheme == "http"); }
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. */ /** * Transports for reading from/writing to Thrift »log files«. * * These transports are not »stupid« sources and sinks just reading and * writing bytes from a file verbatim, but organize the contents in the form * of so-called »events«, which refers to the data written between two flush() * calls. * * Chunking is supported, events are guaranteed to never span chunk boundaries. * As a consequence, an event can never be larger than the chunk size. The * chunk size used is not saved with the file, so care has to be taken to make * sure the same chunk size is used for reading and writing. */ module thrift.transport.file; import core.thread : Thread; import std.array : empty; import std.algorithm : min, max; import std.concurrency; import std.conv : to; static if(checkMinimumCompilerVersion(2077)) { import std.datetime.stopwatch; } else { import std.datetime : AutoStart, dur, Duration, StopWatch; } import std.exception; import std.stdio : File; import thrift.base; import thrift.transport.base; /// The default chunk size, in bytes. enum DEFAULT_CHUNK_SIZE = 16 * 1024 * 1024; /// The type used to represent event sizes in the file. alias uint EventSize; version (BigEndian) { static assert(false, "Little endian byte order is assumed in thrift.transport.file."); } /** * A transport used to read log files. It can never be written to, calling * write() throws. * * Contrary to the C++ design, explicitly opening the transport/file before * using is necessary to allow manually closing the file without relying on the * object lifetime. Otherwise, it's a straight port of the C++ implementation. */ final class TFileReaderTransport : TBaseTransport { /** * Creates a new file writer transport. * * Params: * path = Path of the file to opperate on. */ this(string path) { path_ = path; chunkSize_ = DEFAULT_CHUNK_SIZE; readBufferSize_ = DEFAULT_READ_BUFFER_SIZE; readTimeout_ = DEFAULT_READ_TIMEOUT; corruptedEventSleepDuration_ = DEFAULT_CORRUPTED_EVENT_SLEEP_DURATION; maxEventSize = DEFAULT_MAX_EVENT_SIZE; } override bool isOpen() @property { return isOpen_; } override bool peek() { if (!isOpen) return false; // If there is no event currently processed, try fetching one from the // file. if (!currentEvent_) { currentEvent_ = readEvent(); if (!currentEvent_) { // Still nothing there, couldn't read a new event. return false; } } // check if there is anything to read return (currentEvent_.length - currentEventPos_) > 0; } override void open() { if (isOpen) return; try { file_ = File(path_, "rb"); } catch (Exception e) { throw new TTransportException("Error on opening input file.", TTransportException.Type.NOT_OPEN, __FILE__, __LINE__, e); } isOpen_ = true; } override void close() { if (!isOpen) return; file_.close(); isOpen_ = false; readState_.resetAllValues(); } override size_t read(ubyte[] buf) { enforce(isOpen, new TTransportException( "Cannot read if file is not open.", TTransportException.Type.NOT_OPEN)); // If there is no event currently processed, try fetching one from the // file. if (!currentEvent_) { currentEvent_ = readEvent(); if (!currentEvent_) { // Still nothing there, couldn't read a new event. return 0; } } auto len = buf.length; auto remaining = currentEvent_.length - currentEventPos_; if (remaining <= len) { // If less than the requested length is available, read as much as // possible. buf[0 .. remaining] = currentEvent_[currentEventPos_ .. $]; currentEvent_ = null; currentEventPos_ = 0; return remaining; } // There will still be data left in the buffer after reading, pass out len // bytes. buf[] = currentEvent_[currentEventPos_ .. currentEventPos_ + len]; currentEventPos_ += len; return len; } ulong getNumChunks() { enforce(isOpen, new TTransportException( "Cannot get number of chunks if file not open.", TTransportException.Type.NOT_OPEN)); try { auto fileSize = file_.size(); if (fileSize == 0) { // Empty files have no chunks. return 0; } return ((fileSize)/chunkSize_) + 1; } catch (Exception e) { throw new TTransportException("Error getting file size.", __FILE__, __LINE__, e); } } ulong getCurChunk() { return offset_ / chunkSize_; } void seekToChunk(long chunk) { enforce(isOpen, new TTransportException( "Cannot get number of chunks if file not open.", TTransportException.Type.NOT_OPEN)); auto numChunks = getNumChunks(); if (chunk < 0) { // Count negative indices from the end. chunk += numChunks; } if (chunk < 0) { logError("Incorrect chunk number for reverse seek, seeking to " ~ "beginning instead: %s", chunk); chunk = 0; } bool seekToEnd; long minEndOffset; if (chunk >= numChunks) { logError("Trying to seek to non-existing chunk, seeking to " ~ "end of file instead: %s", chunk); seekToEnd = true; chunk = numChunks - 1; // this is the min offset to process events till minEndOffset = file_.size(); } readState_.resetAllValues(); currentEvent_ = null; try { file_.seek(chunk * chunkSize_); offset_ = chunk * chunkSize_; } catch (Exception e) { throw new TTransportException("Error seeking to chunk", __FILE__, __LINE__, e); } if (seekToEnd) { // Never wait on the end of the file for new content, we just want to // find the last one. auto oldReadTimeout = readTimeout_; scope (exit) readTimeout_ = oldReadTimeout; readTimeout_ = dur!"hnsecs"(0); // Keep on reading unti the last event at point of seekToChunk call. while ((offset_ + readState_.bufferPos_) < minEndOffset) { if (readEvent() is null) { break; } } } } void seekToEnd() { seekToChunk(getNumChunks()); } /** * The size of the chunks the file is divided into, in bytes. */ ulong chunkSize() @property const { return chunkSize_; } /// ditto void chunkSize(ulong value) @property { enforce(!isOpen, new TTransportException( "Cannot set chunk size after TFileReaderTransport has been opened.")); enforce(value > EventSize.sizeof, new TTransportException("Chunks must " ~ "be large enough to accommodate at least a single byte of payload data.")); chunkSize_ = value; } /** * If positive, wait the specified duration for new data when arriving at * end of file. If negative, wait forever (tailing mode), waking up to check * in the specified interval. If zero, do not wait at all. * * Defaults to 500 ms. */ Duration readTimeout() @property const { return readTimeout_; } /// ditto void readTimeout(Duration value) @property { readTimeout_ = value; } /// ditto enum DEFAULT_READ_TIMEOUT = dur!"msecs"(500); /** * Read buffer size, in bytes. * * Defaults to 1 MiB. */ size_t readBufferSize() @property const { return readBufferSize_; } /// ditto void readBufferSize(size_t value) @property { if (readBuffer_) { enforce(value <= readBufferSize_, "Cannot shrink read buffer after first read."); readBuffer_.length = value; } readBufferSize_ = value; } /// ditto enum DEFAULT_READ_BUFFER_SIZE = 1 * 1024 * 1024; /** * Arbitrary event size limit, in bytes. Must be smaller than chunk size. * * Defaults to zero (no limit). */ size_t maxEventSize() @property const { return maxEventSize_; } /// ditto void maxEventSize(size_t value) @property { enforce(value <= chunkSize_ - EventSize.sizeof, "Events cannot span " ~ "mutiple chunks, maxEventSize must be smaller than chunk size."); maxEventSize_ = value; } /// ditto enum DEFAULT_MAX_EVENT_SIZE = 0; /** * The interval at which the thread wakes up to check for the next chunk * in tailing mode. * * Defaults to one second. */ Duration corruptedEventSleepDuration() const { return corruptedEventSleepDuration_; } /// ditto void corruptedEventSleepDuration(Duration value) { corruptedEventSleepDuration_ = value; } /// ditto enum DEFAULT_CORRUPTED_EVENT_SLEEP_DURATION = dur!"seconds"(1); /** * The maximum number of corrupted events tolerated before the whole chunk * is skipped. * * Defaults to zero. */ uint maxCorruptedEvents() @property const { return maxCorruptedEvents_; } /// ditto void maxCorruptedEvents(uint value) @property { maxCorruptedEvents_ = value; } /// ditto enum DEFAULT_MAX_CORRUPTED_EVENTS = 0; private: ubyte[] readEvent() { if (!readBuffer_) { readBuffer_ = new ubyte[readBufferSize_]; } bool timeoutExpired; while (1) { // read from the file if read buffer is exhausted if (readState_.bufferPos_ == readState_.bufferLen_) { // advance the offset pointer offset_ += readState_.bufferLen_; try { // Need to clear eof flag before reading, otherwise tailing a file // does not work. file_.clearerr(); auto usedBuf = file_.rawRead(readBuffer_); readState_.bufferLen_ = usedBuf.length; } catch (Exception e) { readState_.resetAllValues(); throw new TTransportException("Error while reading from file", __FILE__, __LINE__, e); } readState_.bufferPos_ = 0; readState_.lastDispatchPos_ = 0; if (readState_.bufferLen_ == 0) { // Reached end of file. if (readTimeout_ < dur!"hnsecs"(0)) { // Tailing mode, sleep for the specified duration and try again. Thread.sleep(-readTimeout_); continue; } else if (readTimeout_ == dur!"hnsecs"(0) || timeoutExpired) { // Either no timeout set, or it has already expired. readState_.resetState(0); return null; } else { // Timeout mode, sleep for the specified amount of time and retry. Thread.sleep(readTimeout_); timeoutExpired = true; continue; } } } // Attempt to read an event from the buffer. while (readState_.bufferPos_ < readState_.bufferLen_) { if (readState_.readingSize_) { if (readState_.eventSizeBuffPos_ == 0) { if ((offset_ + readState_.bufferPos_)/chunkSize_ != ((offset_ + readState_.bufferPos_ + 3)/chunkSize_)) { readState_.bufferPos_++; continue; } } readState_.eventSizeBuff_[readState_.eventSizeBuffPos_++] = readBuffer_[readState_.bufferPos_++]; if (readState_.eventSizeBuffPos_ == 4) { auto size = (cast(uint[])readState_.eventSizeBuff_)[0]; if (size == 0) { // This is part of the zero padding between chunks. readState_.resetState(readState_.lastDispatchPos_); continue; } // got a valid event readState_.readingSize_ = false; readState_.eventLen_ = size; readState_.eventPos_ = 0; // check if the event is corrupted and perform recovery if required if (isEventCorrupted()) { performRecovery(); // start from the top break; } } } else { if (!readState_.event_) { readState_.event_ = new ubyte[readState_.eventLen_]; } // take either the entire event or the remaining bytes in the buffer auto reclaimBuffer = min(readState_.bufferLen_ - readState_.bufferPos_, readState_.eventLen_ - readState_.eventPos_); // copy data from read buffer into event buffer readState_.event_[ readState_.eventPos_ .. readState_.eventPos_ + reclaimBuffer ] = readBuffer_[ readState_.bufferPos_ .. readState_.bufferPos_ + reclaimBuffer ]; // increment position ptrs readState_.eventPos_ += reclaimBuffer; readState_.bufferPos_ += reclaimBuffer; // check if the event has been read in full if (readState_.eventPos_ == readState_.eventLen_) { // Reset the read state and return the completed event. auto completeEvent = readState_.event_; readState_.event_ = null; readState_.resetState(readState_.bufferPos_); return completeEvent; } } } } } bool isEventCorrupted() { if ((maxEventSize_ > 0) && (readState_.eventLen_ > maxEventSize_)) { // Event size is larger than user-speficied max-event size logError("Corrupt event read: Event size (%s) greater than max " ~ "event size (%s)", readState_.eventLen_, maxEventSize_); return true; } else if (readState_.eventLen_ > chunkSize_) { // Event size is larger than chunk size logError("Corrupt event read: Event size (%s) greater than chunk " ~ "size (%s)", readState_.eventLen_, chunkSize_); return true; } else if (((offset_ + readState_.bufferPos_ - EventSize.sizeof) / chunkSize_) != ((offset_ + readState_.bufferPos_ + readState_.eventLen_ - EventSize.sizeof) / chunkSize_)) { // Size indicates that event crosses chunk boundary logError("Read corrupt event. Event crosses chunk boundary. " ~ "Event size: %s. Offset: %s", readState_.eventLen_, (offset_ + readState_.bufferPos_ + EventSize.sizeof) ); return true; } return false; } void performRecovery() { // perform some kickass recovery auto curChunk = getCurChunk(); if (lastBadChunk_ == curChunk) { numCorruptedEventsInChunk_++; } else { lastBadChunk_ = curChunk; numCorruptedEventsInChunk_ = 1; } if (numCorruptedEventsInChunk_ < maxCorruptedEvents_) { // maybe there was an error in reading the file from disk // seek to the beginning of chunk and try again seekToChunk(curChunk); } else { // Just skip ahead to the next chunk if we not already at the last chunk. if (curChunk != (getNumChunks() - 1)) { seekToChunk(curChunk + 1); } else if (readTimeout_ < dur!"hnsecs"(0)) { // We are in tailing mode, wait until there is enough data to start // the next chunk. while(curChunk == (getNumChunks() - 1)) { Thread.sleep(corruptedEventSleepDuration_); } seekToChunk(curChunk + 1); } else { // Pretty hosed at this stage, rewind the file back to the last // successful point and punt on the error. readState_.resetState(readState_.lastDispatchPos_); currentEvent_ = null; currentEventPos_ = 0; throw new TTransportException("File corrupted at offset: " ~ to!string(offset_ + readState_.lastDispatchPos_), TTransportException.Type.CORRUPTED_DATA); } } } string path_; File file_; bool isOpen_; long offset_; ubyte[] currentEvent_; size_t currentEventPos_; ulong chunkSize_; Duration readTimeout_; size_t maxEventSize_; // Read buffer – lazily allocated on the first read(). ubyte[] readBuffer_; size_t readBufferSize_; static struct ReadState { ubyte[] event_; size_t eventLen_; size_t eventPos_; // keep track of event size ubyte[4] eventSizeBuff_; ubyte eventSizeBuffPos_; bool readingSize_ = true; // read buffer variables size_t bufferPos_; size_t bufferLen_; // last successful dispatch point size_t lastDispatchPos_; void resetState(size_t lastDispatchPos) { readingSize_ = true; eventSizeBuffPos_ = 0; lastDispatchPos_ = lastDispatchPos; } void resetAllValues() { resetState(0); bufferPos_ = 0; bufferLen_ = 0; event_ = null; } } ReadState readState_; ulong lastBadChunk_; uint maxCorruptedEvents_; uint numCorruptedEventsInChunk_; Duration corruptedEventSleepDuration_; } /** * A transport used to write log files. It can never be read from, calling * read() throws. * * Contrary to the C++ design, explicitly opening the transport/file before * using is necessary to allow manually closing the file without relying on the * object lifetime. */ final class TFileWriterTransport : TBaseTransport { /** * Creates a new file writer transport. * * Params: * path = Path of the file to opperate on. */ this(string path) { path_ = path; chunkSize_ = DEFAULT_CHUNK_SIZE; eventBufferSize_ = DEFAULT_EVENT_BUFFER_SIZE; ioErrorSleepDuration = DEFAULT_IO_ERROR_SLEEP_DURATION; maxFlushBytes_ = DEFAULT_MAX_FLUSH_BYTES; maxFlushInterval_ = DEFAULT_MAX_FLUSH_INTERVAL; } override bool isOpen() @property { return isOpen_; } /** * A file writer transport can never be read from. */ override bool peek() { return false; } override void open() { if (isOpen) return; writerThread_ = spawn( &writerThread, path_, chunkSize_, maxFlushBytes_, maxFlushInterval_, ioErrorSleepDuration_ ); setMaxMailboxSize(writerThread_, eventBufferSize_, OnCrowding.block); isOpen_ = true; } /** * Closes the transport, i.e. the underlying file and the writer thread. */ override void close() { if (!isOpen) return; send(writerThread_, ShutdownMessage(), thisTid); receive((ShutdownMessage msg, Tid tid){}); isOpen_ = false; } /** * Enqueues the passed slice of data for writing and immediately returns. * write() only blocks if the event buffer has been exhausted. * * The transport must be open when calling this. * * Params: * buf = Slice of data to write. */ override void write(in ubyte[] buf) { enforce(isOpen, new TTransportException( "Cannot write to non-open file.", TTransportException.Type.NOT_OPEN)); if (buf.empty) { logError("Cannot write empty event, skipping."); return; } auto maxSize = chunkSize - EventSize.sizeof; enforce(buf.length <= maxSize, new TTransportException( "Cannot write more than " ~ to!string(maxSize) ~ "bytes at once due to chunk size.")); send(writerThread_, buf.idup); } /** * Flushes any pending data to be written. * * The transport must be open when calling this. * * Throws: TTransportException if an error occurs. */ override void flush() { enforce(isOpen, new TTransportException( "Cannot flush file if not open.", TTransportException.Type.NOT_OPEN)); send(writerThread_, FlushMessage(), thisTid); receive((FlushMessage msg, Tid tid){}); } /** * The size of the chunks the file is divided into, in bytes. * * A single event (write call) never spans multiple chunks – this * effectively limits the event size to chunkSize - EventSize.sizeof. */ ulong chunkSize() @property { return chunkSize_; } /// ditto void chunkSize(ulong value) @property { enforce(!isOpen, new TTransportException( "Cannot set chunk size after TFileWriterTransport has been opened.")); chunkSize_ = value; } /** * The maximum number of write() calls buffered, or zero for no limit. * * If the buffer is exhausted, write() will block until space becomes * available. */ size_t eventBufferSize() @property { return eventBufferSize_; } /// ditto void eventBufferSize(size_t value) @property { eventBufferSize_ = value; if (isOpen) { setMaxMailboxSize(writerThread_, value, OnCrowding.throwException); } } /// ditto enum DEFAULT_EVENT_BUFFER_SIZE = 10_000; /** * Maximum number of bytes buffered before writing and flushing the file * to disk. * * Currently cannot be set after the first call to write(). */ size_t maxFlushBytes() @property { return maxFlushBytes_; } /// ditto void maxFlushBytes(size_t value) @property { maxFlushBytes_ = value; if (isOpen) { send(writerThread_, FlushBytesMessage(value)); } } /// ditto enum DEFAULT_MAX_FLUSH_BYTES = 1000 * 1024; /** * Maximum interval between flushing the file to disk. * * Currenlty cannot be set after the first call to write(). */ Duration maxFlushInterval() @property { return maxFlushInterval_; } /// ditto void maxFlushInterval(Duration value) @property { maxFlushInterval_ = value; if (isOpen) { send(writerThread_, FlushIntervalMessage(value)); } } /// ditto enum DEFAULT_MAX_FLUSH_INTERVAL = dur!"seconds"(3); /** * When the writer thread encounteres an I/O error, it goes pauses for a * short time before trying to reopen the output file. This controls the * sleep duration. */ Duration ioErrorSleepDuration() @property { return ioErrorSleepDuration_; } /// ditto void ioErrorSleepDuration(Duration value) @property { ioErrorSleepDuration_ = value; if (isOpen) { send(writerThread_, FlushIntervalMessage(value)); } } /// ditto enum DEFAULT_IO_ERROR_SLEEP_DURATION = dur!"msecs"(500); private: string path_; ulong chunkSize_; size_t eventBufferSize_; Duration ioErrorSleepDuration_; size_t maxFlushBytes_; Duration maxFlushInterval_; bool isOpen_; Tid writerThread_; } private { // Signals that the file should be flushed on disk. Sent to the writer // thread and sent back along with the tid for confirmation. struct FlushMessage {} // Signals that the writer thread should close the file and shut down. Sent // to the writer thread and sent back along with the tid for confirmation. struct ShutdownMessage {} struct FlushBytesMessage { size_t value; } struct FlushIntervalMessage { Duration value; } struct IoErrorSleepDurationMessage { Duration value; } void writerThread( string path, ulong chunkSize, size_t maxFlushBytes, Duration maxFlushInterval, Duration ioErrorSleepDuration ) { bool errorOpening; File file; ulong offset; try { // Open file in appending and binary mode. file = File(path, "ab"); offset = file.tell(); } catch (Exception e) { logError("Error on opening output file in writer thread: %s", e); errorOpening = true; } auto flushTimer = StopWatch(AutoStart.yes); size_t unflushedByteCount; Tid shutdownRequestTid; bool shutdownRequested; while (true) { if (shutdownRequested) break; bool forceFlush; Tid flushRequestTid; receiveTimeout(max(dur!"hnsecs"(0), maxFlushInterval - flushTimer.peek()), (immutable(ubyte)[] data) { while (errorOpening) { logError("Writer thread going to sleep for %s µs due to IO errors", ioErrorSleepDuration.total!"usecs"); // Sleep for ioErrorSleepDuration, being ready to be interrupted // by shutdown requests. auto timedOut = receiveTimeout(ioErrorSleepDuration, (ShutdownMessage msg, Tid tid){ shutdownRequestTid = tid; }); if (!timedOut) { // We got a shutdown request, just drop all events and exit the // main loop as to not block application shutdown with our tries // which we must assume to fail. break; } try { file = File(path, "ab"); unflushedByteCount = 0; errorOpening = false; logError("Output file %s reopened during writer thread error " ~ "recovery", path); } catch (Exception e) { logError("Unable to reopen output file %s during writer " ~ "thread error recovery", path); } } // Make sure the event does not cross the chunk boundary by writing // a padding consisting of zeroes if it would. auto chunk1 = offset / chunkSize; auto chunk2 = (offset + EventSize.sizeof + data.length - 1) / chunkSize; if (chunk1 != chunk2) { // TODO: The C++ implementation refetches the offset here to »keep // in sync« – why would this be needed? auto padding = cast(size_t) ((((offset / chunkSize) + 1) * chunkSize) - offset); auto zeroes = new ubyte[padding]; file.rawWrite(zeroes); unflushedByteCount += padding; offset += padding; } // TODO: 2 syscalls here, is this a problem performance-wise? // Probably abysmal performance on Windows due to rawWrite // implementation. uint len = cast(uint)data.length; file.rawWrite(cast(ubyte[])(&len)[0..1]); file.rawWrite(data); auto bytesWritten = EventSize.sizeof + data.length; unflushedByteCount += bytesWritten; offset += bytesWritten; }, (FlushBytesMessage msg) { maxFlushBytes = msg.value; }, (FlushIntervalMessage msg) { maxFlushInterval = msg.value; }, (IoErrorSleepDurationMessage msg) { ioErrorSleepDuration = msg.value; }, (FlushMessage msg, Tid tid) { forceFlush = true; flushRequestTid = tid; }, (OwnerTerminated msg) { shutdownRequested = true; }, (ShutdownMessage msg, Tid tid) { shutdownRequested = true; shutdownRequestTid = tid; } ); if (errorOpening) continue; bool flush; if (forceFlush || shutdownRequested || unflushedByteCount > maxFlushBytes) { flush = true; } else if (cast(Duration)flushTimer.peek() > maxFlushInterval) { if (unflushedByteCount == 0) { // If the flush timer is due, but no data has been written, don't // needlessly fsync, but do reset the timer. flushTimer.reset(); } else { flush = true; } } if (flush) { file.flush(); flushTimer.reset(); unflushedByteCount = 0; if (forceFlush) send(flushRequestTid, FlushMessage(), thisTid); } } file.close(); if (shutdownRequestTid != Tid.init) { send(shutdownRequestTid, ShutdownMessage(), thisTid); } } } version (unittest) { import core.memory : GC; import std.file; } unittest { void tryRemove(string fileName) { try { remove(fileName); } catch (Exception) {} } immutable fileName = "unittest.dat.tmp"; enforce(!exists(fileName), "Unit test output file " ~ fileName ~ " already exists."); /* * Check the most basic reading/writing operations. */ { scope (exit) tryRemove(fileName); auto writer = new TFileWriterTransport(fileName); writer.open(); scope (exit) writer.close(); writer.write([1, 2]); writer.write([3, 4]); writer.write([5, 6, 7]); writer.flush(); auto reader = new TFileReaderTransport(fileName); reader.open(); scope (exit) reader.close(); auto buf = new ubyte[7]; reader.readAll(buf); enforce(buf == [1, 2, 3, 4, 5, 6, 7]); } /* * Check that chunking works as expected. */ { scope (exit) tryRemove(fileName); static assert(EventSize.sizeof == 4); enum CHUNK_SIZE = 10; // Write some contents to the file. { auto writer = new TFileWriterTransport(fileName); writer.chunkSize = CHUNK_SIZE; writer.open(); scope (exit) writer.close(); writer.write([0xde]); writer.write([0xad]); // Chunk boundary here. writer.write([0xbe]); // The next write doesn't fit in the five bytes remaining, so we expect // padding zero bytes to be written. writer.write([0xef, 0x12]); try { writer.write(new ubyte[CHUNK_SIZE]); enforce(false, "Could write event not fitting in a single chunk."); } catch (TTransportException e) {} writer.flush(); } // Check the raw contents of the file to see if chunk padding was written // as expected. auto file = File(fileName, "r"); enforce(file.size == 26); auto written = new ubyte[26]; file.rawRead(written); enforce(written == [ 1, 0, 0, 0, 0xde, 1, 0, 0, 0, 0xad, 1, 0, 0, 0, 0xbe, 0, 0, 0, 0, 0, 2, 0, 0, 0, 0xef, 0x12 ]); // Read the data back in, getting all the events at once. { auto reader = new TFileReaderTransport(fileName); reader.chunkSize = CHUNK_SIZE; reader.open(); scope (exit) reader.close(); auto buf = new ubyte[5]; reader.readAll(buf); enforce(buf == [0xde, 0xad, 0xbe, 0xef, 0x12]); } } /* * Make sure that close() exits "quickly", i.e. that there is no problem * with the worker thread waking up. */ { import std.conv : text; enum NUM_ITERATIONS = 1000; uint numOver = 0; foreach (n; 0 .. NUM_ITERATIONS) { scope (exit) tryRemove(fileName); auto transport = new TFileWriterTransport(fileName); transport.open(); // Write something so that the writer thread gets started. transport.write(cast(ubyte[])"foo"); // Every other iteration, also call flush(), just in case that potentially // has any effect on how the writer thread wakes up. if (n & 0x1) { transport.flush(); } // Time the call to close(). auto sw = StopWatch(AutoStart.yes); transport.close(); sw.stop(); // If any attempt takes more than 500ms, treat that as a fatal failure to // avoid looping over a potentially very slow operation. static if(checkMinimumCompilerVersion(2077)) { enforce(sw.peek() < msecs(1500), text("close() took ", sw.peek().total!"msecs", "ms.")); } else { enforce(sw.peek().msecs < 1500, text("close() took ", sw.peek().msecs, "ms.")); } // Normally, it takes less than 5ms on my dev box. // However, if the box is heavily loaded, some of the test runs can take // longer. Additionally, on a Windows Server 2008 instance running in // a VirtualBox VM, it has been observed that about a quarter of the runs // takes (217 ± 1) ms, for reasons not yet known. static if(checkMinimumCompilerVersion(2077)) { if (sw.peek() > msecs(50)) { ++numOver; } } else { if (sw.peek().msecs > 50) { ++numOver; } } // Force garbage collection runs every now and then to make sure we // don't run out of OS thread handles. if (!(n % 100)) GC.collect(); } // Make sure fewer than a third of the runs took longer than 5ms. enforce(numOver < NUM_ITERATIONS / 3, text(numOver, " iterations took more than 10 ms.")); } }
D
module UnrealScript.Engine.AmbientSoundNonLoop; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.Engine.AmbientSoundSimple; extern(C++) interface AmbientSoundNonLoop : AmbientSoundSimple { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class Engine.AmbientSoundNonLoop")); } private static __gshared AmbientSoundNonLoop mDefaultProperties; @property final static AmbientSoundNonLoop DefaultProperties() { mixin(MGDPC("AmbientSoundNonLoop", "AmbientSoundNonLoop Engine.Default__AmbientSoundNonLoop")); } }
D
class C { // implicit virtual function table pointer not marked // implicit monitor field not marked, usually managed manually C next; size_t sz; void* p; void function () fn; // not a GC managed pointer } struct S { size_t val1; void* p; C c; byte[] arr; // { length, ptr } void delegate () dg; // { context, func } } static assert (__traits(getPointerBitmap, C) == [6*size_t.sizeof, 0b010100]); static assert (__traits(getPointerBitmap, S) == [7*size_t.sizeof, 0b0110110]);
D
module ac.client.block.blockfaceatlas; import bindbc.opengl; import derelict.sfml2; import std.conv; import std.algorithm; import std.math; import std.string; import std.format; import ac.common.math.vector; import ac.client.gl.glstate; import ac.client.gl.gltexture; import ac.client.gl.glresourcemanager; import ac.client.graphicsettings; import ac.client.resources; /// Atlas for storing block faces /// Faces are stored with spacing equal to face size because of mipmapping final class BlockFaceAtlas { public: this(int itemSize, size_t id, bool mipmapping, bool premultiplyAlpha, bool wrapping, bool betterTexturing) { id_ = id; premultiplyAlpha_ = premultiplyAlpha; mipmapping_ = mipmapping; wrapping_ = wrapping; betterTexturing_ = betterTexturing; itemSize_ = itemSize; image_ = sfImage_createFromColor(itemSize_, itemSize_ * capacity_, sfColor(0, 0, 0, 0)); texture_ = new GLTexture(GL_TEXTURE_2D_ARRAY); graphicSettings[this] = (GraphicSettings.Changes changes) { // if (!uploaded_ || !(changes & GraphicSettings.Change.betterTexturing)) return; auto set = graphicSettings.betterTexturing && betterTexturing_ ? GL_LINEAR : GL_NEAREST; glTextureParameteri(texture_.textureId, GL_TEXTURE_MAG_FILTER, set); }; } ~this() { sfImage_destroy(image_); } public: /// Adds an item (from file) and returns its layer id uint addItem(sfImage* img, bool wrapping = false) { auto imgSize = sfImage_getSize(img); assert(imgSize.x == itemSize_ && imgSize.y == itemSize_, "Image size does not match the grid size"); if (length_ == capacity_) { capacity_ *= 2; sfImage* newImage = sfImage_createFromColor(itemSize_, itemSize_ * capacity_, sfColor(0, 0, 0, 0)); sfImage_copyImage(newImage, image_, 0, 0, sfIntRect(), false); sfImage_destroy(image_); image_ = newImage; } sfImage_copyImage(image_, img, 0, length_ * itemSize_, sfIntRect(), false); return length_++; } public: /// Uploads the progress to void upload() { assert(!uploaded_); uploaded_ = true; //sfImage_saveToFile(image_, "atlas_%s.png".format(id_).toStringz); auto texId = texture_.textureId; glTextureParameteri(texId, GL_TEXTURE_MIN_FILTER, mipmapping_ ? GL_LINEAR_MIPMAP_LINEAR : GL_NEAREST); glTextureParameteri(texId, GL_TEXTURE_MAG_FILTER, graphicSettings.betterTexturing && betterTexturing_ ? GL_LINEAR : GL_NEAREST); glTextureParameteri(texId, GL_TEXTURE_WRAP_S, wrapping_ ? GL_REPEAT : GL_CLAMP_TO_EDGE); glTextureParameteri(texId, GL_TEXTURE_WRAP_T, wrapping_ ? GL_REPEAT : GL_CLAMP_TO_EDGE); float aniso; int maxLevel = mipmapping_ ? max(0, cast(int) log2(itemSize_) - 1) : 0; glGetFloatv(GL_MAX_TEXTURE_MAX_ANISOTROPY, &aniso); glTextureParameterf(texId, GL_TEXTURE_MAX_ANISOTROPY, mipmapping_ ? min(aniso, 8) : 1); glTextureParameteri(texId, GL_TEXTURE_MAX_LEVEL, maxLevel); texture_.bind(); if (premultiplyAlpha_) { glTextureStorage3D(texId, maxLevel + 1, GL_RGBA8, itemSize_, itemSize_, capacity_); auto suppTexId = glResourceManager.create(GLResourceType.texture2DArray); glTextureParameteri(suppTexId, GL_TEXTURE_MIN_FILTER, GL_NEAREST); glBindTexture(GL_TEXTURE_2D_ARRAY, suppTexId); glTexImage3D(GL_TEXTURE_2D_ARRAY, 0, GL_RGBA8, itemSize_, itemSize_, capacity_, 0, GL_RGBA, GL_UNSIGNED_BYTE, sfImage_getPixelsPtr(image_)); resources.premultiplyAlpha_program.bind(); glBindImageTexture(0, suppTexId, 0, GL_FALSE, 0, GL_READ_WRITE, GL_RGBA8); Vec2I workgroups = (itemSize_ + resources.premultiplyAlpha_workgroupSize - 1) / resources.premultiplyAlpha_workgroupSize; glDispatchCompute(workgroups.x, workgroups.y, length_); glMemoryBarrier(GL_ALL_BARRIER_BITS); glCopyImageSubData( // suppTexId, GL_TEXTURE_2D_ARRAY, 0, 0, 0, 0, // texId, GL_TEXTURE_2D_ARRAY, 0, 0, 0, 0, // itemSize_, itemSize_, length_ // ); glResourceManager.release(GLResourceType.texture2D, suppTexId); } else glTexImage3D(GL_TEXTURE_2D_ARRAY, 0, GL_RGBA8, itemSize_, itemSize_, capacity_, 0, GL_RGBA, GL_UNSIGNED_BYTE, sfImage_getPixelsPtr(image_)); glGenerateTextureMipmap(texId); } pragma(inline) GLTexture texture() { return texture_; } private: GLTexture texture_; sfImage* image_; bool uploaded_; bool premultiplyAlpha_, mipmapping_, wrapping_, betterTexturing_; private: int itemSize_; int length_, capacity_ = 8; size_t id_; }
D
module hunt.http.HttpMethod; import hunt.io.ByteBuffer; import hunt.text.Common; import hunt.util.ObjectUtils; import std.string; /** * */ struct HttpMethod { enum HttpMethod Null = HttpMethod("Null"); enum HttpMethod GET = HttpMethod("GET"); enum HttpMethod POST = HttpMethod("POST"); enum HttpMethod HEAD = HttpMethod("HEAD"); enum HttpMethod PUT = HttpMethod("PUT"); enum HttpMethod PATCH = HttpMethod("PATCH"); enum HttpMethod OPTIONS = HttpMethod("OPTIONS"); enum HttpMethod DELETE = HttpMethod("DELETE"); enum HttpMethod TRACE = HttpMethod("TRACE"); enum HttpMethod CONNECT = HttpMethod("CONNECT"); enum HttpMethod MOVE = HttpMethod("MOVE"); enum HttpMethod PROXY = HttpMethod("PROXY"); enum HttpMethod PRI = HttpMethod("PRI"); enum HttpMethod COPY = HttpMethod("COPY"); enum HttpMethod LINK = HttpMethod("LINK"); enum HttpMethod UNLINK = HttpMethod("UNLINK"); enum HttpMethod PURGE = HttpMethod("PURGE"); enum HttpMethod LOCK = HttpMethod("LOCK"); enum HttpMethod UNLOCK = HttpMethod("UNLOCK"); enum HttpMethod VIEW = HttpMethod("VIEW"); /* ------------------------------------------------------------ */ /** * Optimized lookup to find a method name and trailing space in a byte array. * * @param bytes Array containing ISO-8859-1 characters * @param position The first valid index * @param limit The first non valid index * @return A HttpMethod if a match or null if no easy match. */ static HttpMethod lookAheadGet(byte[] bytes, int position, int limit) { int length = limit - position; if (length < 4) return HttpMethod.Null; switch (bytes[position]) { case 'G': if (bytes[position + 1] == 'E' && bytes[position + 2] == 'T' && bytes[position + 3] == ' ') return GET; break; case 'P': if (bytes[position + 1] == 'O' && bytes[position + 2] == 'S' && bytes[position + 3] == 'T' && length >= 5 && bytes[position + 4] == ' ') return POST; if (bytes[position + 1] == 'U' && bytes[position + 2] == 'T' && bytes[position + 3] == ' ') return PUT; if (bytes[position + 1] == 'R' && bytes[position + 2] == 'O' && bytes[position + 3] == 'X' && length >= 6 && bytes[position + 4] == 'Y' && bytes[position + 5] == ' ') return PROXY; if (bytes[position + 1] == 'A' && bytes[position + 2] == 'T' && bytes[position + 3] == 'C' && length >= 6 && bytes[position + 4] == 'H' && bytes[position + 5] == ' ') return PATCH; if (bytes[position + 1] == 'U' && bytes[position + 2] == 'R' && bytes[position + 3] == 'G' && length >= 6 && bytes[position + 4] == 'E' && bytes[position + 5] == ' ') return PURGE; if (bytes[position + 1] == 'R' && bytes[position + 2] == 'I' && bytes[position + 3] == ' ') return PRI; break; case 'H': if (bytes[position + 1] == 'E' && bytes[position + 2] == 'A' && bytes[position + 3] == 'D' && length >= 5 && bytes[position + 4] == ' ') return HEAD; break; case 'L': if (bytes[position + 1] == 'I' && bytes[position + 2] == 'N' && bytes[position + 3] == 'K' && length >= 5 && bytes[position + 4] == ' ') return LINK; if (bytes[position + 1] == 'O' && bytes[position + 2] == 'C' && bytes[position + 3] == 'K' && length >= 5 && bytes[position + 4] == ' ') return LOCK; break; case 'O': if (bytes[position + 1] == 'P' && bytes[position + 2] == 'T' && bytes[position + 3] == 'I' && length >= 8 && bytes[position + 4] == 'O' && bytes[position + 5] == 'N' && bytes[position + 6] == 'S' && bytes[position + 7] == ' ') return OPTIONS; break; case 'D': if (bytes[position + 1] == 'E' && bytes[position + 2] == 'L' && bytes[position + 3] == 'E' && length >= 7 && bytes[position + 4] == 'T' && bytes[position + 5] == 'E' && bytes[position + 6] == ' ') return DELETE; break; case 'T': if (bytes[position + 1] == 'R' && bytes[position + 2] == 'A' && bytes[position + 3] == 'C' && length >= 6 && bytes[position + 4] == 'E' && bytes[position + 5] == ' ') return TRACE; break; case 'C': if (bytes[position + 1] == 'O' && bytes[position + 2] == 'N' && bytes[position + 3] == 'N' && length >= 8 && bytes[position + 4] == 'E' && bytes[position + 5] == 'C' && bytes[position + 6] == 'T' && bytes[position + 7] == ' ') return CONNECT; if (bytes[position + 1] == 'O' && bytes[position + 2] == 'P' && bytes[position + 3] == 'Y' && length >= 5 && bytes[position + 4] == ' ') return COPY; break; case 'M': if (bytes[position + 1] == 'O' && bytes[position + 2] == 'V' && bytes[position + 3] == 'E' && length >= 5 && bytes[position + 4] == ' ') return MOVE; break; case 'U': if (bytes[position + 1] == 'N' && bytes[position + 2] == 'L' && bytes[position + 3] == 'I' && length >= 8 && bytes[position + 4] == 'N' && bytes[position + 5] == 'K' && bytes[position + 6] == ' ') return UNLINK; if (bytes[position + 1] == 'N' && bytes[position + 2] == 'L' && bytes[position + 3] == 'O' && length >= 8 && bytes[position + 4] == 'C' && bytes[position + 5] == 'K' && bytes[position + 6] == ' ') return UNLOCK; break; case 'V': if (bytes[position + 1] == 'I' && bytes[position + 2] == 'E' && bytes[position + 3] == 'W' && length >= 5 && bytes[position + 4] == ' ') return VIEW; break; default: break; } return HttpMethod.Null; } /* ------------------------------------------------------------ */ /** * Optimized lookup to find a method name and trailing space in a byte array. * * @param buffer buffer containing ISO-8859-1 characters, it is not modified. * @return A HttpMethod if a match or null if no easy match. */ static HttpMethod lookAheadGet(ByteBuffer buffer) { if (buffer.hasArray()) return lookAheadGet(buffer.array(), buffer.arrayOffset() + buffer.position(), buffer.arrayOffset() + buffer.limit()); int l = buffer.remaining(); if (l >= 4) { string key = cast(string)buffer.peek(0, l); HttpMethod m = CACHE[key]; if (m != HttpMethod.Null) { int ml = cast(int)m.asString().length; if (l > ml && buffer.get(buffer.position() + ml) == ' ') return m; } } return HttpMethod.Null; } /* ------------------------------------------------------------ */ __gshared static HttpMethod[string] INSENSITIVE_CACHE; __gshared static HttpMethod[string] CACHE; static HttpMethod get(string name) { return CACHE.get(name, HttpMethod.Null); } static HttpMethod getInsensitive(string name) { return INSENSITIVE_CACHE.get(name.toLower(), HttpMethod.Null); } shared static this() { foreach (HttpMethod method ; HttpMethod.values()) { INSENSITIVE_CACHE[method.toString().toLower()] = method; CACHE[method.toString()] = method; } } mixin ValuesMemberTempate!(HttpMethod); /* ------------------------------------------------------------ */ private string _string; // private ByteBuffer _buffer; private byte[] _bytes; /* ------------------------------------------------------------ */ this(string s) { _string = s; _bytes = cast(byte[]) s.dup; // StringUtils.getBytes(s); // _bytesColonSpace = cast(byte[])(s ~ ": ").dup; } bool isSame(string s) { return s.length != 0 && std.string.icmp(_string, s) == 0; } string asString() { return _string; } string toString() { return _string; } /* ------------------------------------------------------------ */ byte[] getBytes() { return _bytes; } /* ------------------------------------------------------------ */ // ByteBuffer asBuffer() { // return _buffer.asReadOnlyBuffer(); // } /* ------------------------------------------------------------ */ /** * Converts the given string parameter to an HttpMethod * * @param method the string to get the equivalent HttpMethod from * @return the HttpMethod or null if the parameter method is unknown */ static HttpMethod fromString(string method) { string m = method.toUpper(); if(m in CACHE) return CACHE[m]; else return HttpMethod.Null; } static bool invalidatesCache(string method) { return method == "POST" || method == "PATCH" || method == "PUT" || method == "DELETE" || method == "MOVE"; // WebDAV } static bool requiresRequestBody(string method) { return method == "POST" || method == "PUT" || method == "PATCH" || method == "PROPPATCH" // WebDAV || method == "REPORT"; // CalDAV/CardDAV (defined in WebDAV Versioning) } static bool permitsRequestBody(string method) { return (method != "GET" && method != "HEAD"); } static bool redirectsWithBody(string method) { return method == "PROPFIND"; // (WebDAV) redirects should also maintain the request body } static bool redirectsToGet(string method) { // All requests but PROPFIND should redirect to a GET request. return method != "PROPFIND"; } }
D