code
stringlengths
3
10M
language
stringclasses
31 values
/** The purpose of this module is to provide audio functions for things like playback, capture, and volume on both Windows (via the mmsystem calls) and Linux (through ALSA). It is only aimed at the basics, and will be filled in as I want a particular feature. I don't generally need super configurability and see it as a minus, since I don't generally care either, so I'm going to be going for defaults that just work. If you need more though, you can hack the source or maybe just use it for the operating system bindings. For example, I'm starting this because I want to write a volume control program for my linux box, so that's what is going first. That will consist of a listening callback for volume changes and being able to get/set the volume. TODO: * pre-resampler that loads a clip and prepares it for repeated fast use * controls so you can tell a particular thing to keep looping until you tell it to stop, or stop after the next loop, etc (think a phaser sound as long as you hold the button down) * playFile function that detects automatically. basically: if(args[1].endsWith("ogg")) a.playOgg(args[1]); else if(args[1].endsWith("wav")) a.playWav(args[1]); else if(mp3) a.playMp3(args[1]); * play audio high level with options to wait until completion or return immediately * midi mid-level stuff but see [arsd.midi]! * some kind of encoder??????? I will probably NOT do OSS anymore, since my computer doesn't even work with it now. Ditto for Macintosh, as I don't have one and don't really care about them. License: GPL3 unless you compile with `-version=without_resampler` and do *not* use the mp3 functions, in which case it is BSL-1.0. */ module arsd.simpleaudio; version(without_resampler) { } else { version(X86) version=with_resampler; version(X86_64) version=with_resampler; } enum BUFFER_SIZE_FRAMES = 1024;//512;//2048; enum BUFFER_SIZE_SHORT = BUFFER_SIZE_FRAMES * 2; /// A reasonable default volume for an individual sample. It doesn't need to be large; in fact it needs to not be large so mixing doesn't clip too much. enum DEFAULT_VOLUME = 20; version(Demo_simpleaudio) void main() { /+ version(none) { import iv.stb.vorbis; int channels; short* decoded; auto v = new VorbisDecoder("test.ogg"); auto ao = AudioOutput(0); ao.fillData = (short[] buffer) { auto got = v.getSamplesShortInterleaved(2, buffer.ptr, buffer.length); if(got == 0) { ao.stop(); } }; ao.play(); return; } auto thread = new AudioPcmOutThread(); thread.start(); thread.playOgg("test.ogg"); Thread.sleep(5.seconds); //Thread.sleep(150.msecs); thread.beep(); Thread.sleep(250.msecs); thread.blip(); Thread.sleep(250.msecs); thread.boop(); Thread.sleep(1000.msecs); /* thread.beep(800, 500); Thread.sleep(500.msecs); thread.beep(366, 500); Thread.sleep(600.msecs); thread.beep(800, 500); thread.beep(366, 500); Thread.sleep(500.msecs); Thread.sleep(150.msecs); thread.beep(200); Thread.sleep(150.msecs); thread.beep(100); Thread.sleep(150.msecs); thread.noise(); Thread.sleep(150.msecs); */ thread.stop(); thread.join(); return; /* auto aio = AudioMixer(0); import std.stdio; writeln(aio.muteMaster); */ /* mciSendStringA("play test.wav", null, 0, null); Sleep(3000); import std.stdio; if(auto err = mciSendStringA("play test2.wav", null, 0, null)) writeln(err); Sleep(6000); return; */ // output about a second of random noise to demo PCM auto ao = AudioOutput(0); short[BUFFER_SIZE_SHORT] randomSpam = void; import core.stdc.stdlib; foreach(ref s; randomSpam) s = cast(short)((cast(short) rand()) - short.max / 2); int loopCount = 40; //import std.stdio; //writeln("Should be about ", loopCount * BUFFER_SIZE_FRAMES * 1000 / SampleRate, " microseconds"); int loops = 0; // only do simple stuff in here like fill the data, set simple // variables, or call stop anything else might cause deadlock ao.fillData = (short[] buffer) { buffer[] = randomSpam[0 .. buffer.length]; loops++; if(loops == loopCount) ao.stop(); }; ao.play(); return; +/ // Play a C major scale on the piano to demonstrate midi auto midi = MidiOutput(0); ubyte[16] buffer = void; ubyte[] where = buffer[]; midi.writeRawMessageData(where.midiProgramChange(1, 1)); for(ubyte note = MidiNote.C; note <= MidiNote.C + 12; note++) { where = buffer[]; midi.writeRawMessageData(where.midiNoteOn(1, note, 127)); import core.thread; Thread.sleep(dur!"msecs"(500)); midi.writeRawMessageData(where.midiNoteOff(1, note, 127)); if(note != 76 && note != 83) note++; } import core.thread; Thread.sleep(dur!"msecs"(500)); // give the last note a chance to finish } /++ Provides an interface to control a sound. History: Added December 23, 2020 +/ interface SampleController { /++ Pauses playback, keeping its position. Use [resume] to pick up where it left off. +/ void pause(); /++ Resumes playback after a call to [pause]. +/ void resume(); /++ Stops playback. Once stopped, it cannot be restarted except by creating a new sample from the [AudioOutputThread] object. +/ void stop(); /++ Reports the current stream position, in seconds, if available (NaN if not). +/ float position(); /++ If the sample has finished playing. Happens when it runs out or if it is stopped. +/ bool finished(); /++ If the sample has been paused. History: Added May 26, 2021 (dub v10.0) +/ bool paused(); } private class DummySample : SampleController { void pause() {} void resume() {} void stop() {} float position() { return float.init; } bool finished() { return true; } bool paused() { return true; } } private class SampleControlFlags : SampleController { void pause() { paused_ = true; } void resume() { paused_ = false; } void stop() { paused_ = false; stopped = true; } bool paused_; bool stopped; bool finished_; float position() { return currentPosition; } bool finished() { return finished_; } bool paused() { return paused_; } float currentPosition = 0.0; } /++ Wraps [AudioPcmOutThreadImplementation] with RAII semantics for better error handling and disposal than the old way. DO NOT USE THE `new` OPERATOR ON THIS! Just construct it inline: --- auto audio = AudioOutputThread(true); audio.beep(); --- History: Added May 9, 2020 to replace the old [AudioPcmOutThread] class that proved pretty difficult to use correctly. +/ struct AudioOutputThread { @disable this(); @disable new(size_t); // gdc9 requires the arg fyi @disable void start() {} // you aren't supposed to control the thread yourself! /++ Pass `true` to enable the audio thread. Otherwise, it will just live as a dummy mock object that you should not actually try to use. History: Parameter `default` added on Nov 8, 2020. The sample rate parameter was not correctly applied to the device on Linux until December 24, 2020. +/ this(bool enable, int SampleRate = 44100, int channels = 2, string device = "default") { if(enable) { impl = new AudioPcmOutThreadImplementation(SampleRate, channels, device); impl.refcount++; impl.start(); impl.waitForInitialization(); } } /// ditto this(bool enable, string device, int SampleRate = 44100, int channels = 2) { this(enable, SampleRate, channels, device); } /// Keeps an internal refcount. this(this) { if(impl) impl.refcount++; } /// When the internal refcount reaches zero, it stops the audio and rejoins the thread, throwing any pending exception (yes the dtor can throw! extremely unlikely though). ~this() { if(impl) { impl.refcount--; if(impl.refcount == 0) { impl.stop(); impl.join(); } } } /++ This allows you to check `if(audio)` to see if it is enabled. +/ bool opCast(T : bool)() { return impl !is null; } /++ Other methods are forwarded to the implementation of type [AudioPcmOutThreadImplementation]. See that for more information on what you can do. This opDispatch template will forward all other methods directly to that [AudioPcmOutThreadImplementation] if this is live, otherwise it does nothing. +/ template opDispatch(string name) { static if(is(typeof(__traits(getMember, impl, name)) Params == __parameters)) auto opDispatch(Params params) { if(impl) return __traits(getMember, impl, name)(params); static if(!is(typeof(return) == void)) return typeof(return).init; } else static assert(0); } // since these are templates, the opDispatch won't trigger them, so I have to do it differently. // the dummysample is good anyway. SampleController playEmulatedOpl3Midi()(string filename) { if(impl) return impl.playEmulatedOpl3Midi(filename); return new DummySample; } SampleController playEmulatedOpl3Midi()(immutable(ubyte)[] data) { if(impl) return impl.playEmulatedOpl3Midi(data); return new DummySample; } SampleController playOgg()(string filename, bool loop = false) { if(impl) return impl.playOgg(filename, loop); return new DummySample; } SampleController playOgg()(immutable(ubyte)[] data, bool loop = false) { if(impl) return impl.playOgg(data, loop); return new DummySample; } SampleController playMp3()(string filename) { if(impl) return impl.playMp3(filename); return new DummySample; } SampleController playMp3()(immutable(ubyte)[] data) { if(impl) return impl.playMp3(data); return new DummySample; } SampleController playWav()(string filename) { if(impl) return impl.playWav(filename); return new DummySample; } SampleController playWav()(immutable(ubyte)[] data) { if(impl) return impl.playWav(data); return new DummySample; } /// provides automatic [arsd.jsvar] script wrapping capability. Make sure the /// script also finishes before this goes out of scope or it may end up talking /// to a dead object.... auto toArsdJsvar() { return impl; } /+ alias getImpl this; AudioPcmOutThreadImplementation getImpl() { assert(impl !is null); return impl; } +/ private AudioPcmOutThreadImplementation impl; } /++ Old thread implementation. I decided to deprecate it in favor of [AudioOutputThread] because RAII semantics make it easier to get right at the usage point. See that to go forward. History: Deprecated on May 9, 2020. +/ deprecated("Use AudioOutputThread instead.") class AudioPcmOutThread {} import core.thread; /++ Makes an audio thread for you that you can make various sounds on and it will mix them with good enough latency for simple games. DO NOT USE THIS DIRECTLY. Instead, access it through [AudioOutputThread]. --- auto audio = AudioOutputThread(true); audio.beep(); // you need to keep the main program alive long enough // to keep this thread going to hear anything Thread.sleep(1.seconds); --- +/ final class AudioPcmOutThreadImplementation : Thread { private this(int SampleRate, int channels, string device = "default") { this.isDaemon = true; this.SampleRate = SampleRate; this.channels = channels; this.device = device; super(&run); } private int SampleRate; private int channels; private int refcount; private string device; private void waitForInitialization() { shared(AudioOutput*)* ao = cast(shared(AudioOutput*)*) &this.ao; while(isRunning && *ao is null) { Thread.sleep(5.msecs); } if(*ao is null) join(); // it couldn't initialize, just rethrow the exception } /// @scriptable void pause() { if(ao) { ao.pause(); } } /// @scriptable void unpause() { if(ao) { ao.unpause(); } } /// Stops the output thread. Using the object after it is stopped is not recommended, except to `join` the thread. This is meant to be called when you are all done with it. void stop() { if(ao) { ao.stop(); } } /// Args in hertz and milliseconds @scriptable void beep(int freq = 900, int dur = 150, int volume = DEFAULT_VOLUME) { Sample s; s.operation = 0; // square wave s.frequency = SampleRate / freq; s.duration = dur * SampleRate / 1000; s.volume = volume; addSample(s); } /// @scriptable void noise(int dur = 150, int volume = DEFAULT_VOLUME) { Sample s; s.operation = 1; // noise s.frequency = 0; s.volume = volume; s.duration = dur * SampleRate / 1000; addSample(s); } /// @scriptable void boop(float attack = 8, int freqBase = 500, int dur = 150, int volume = DEFAULT_VOLUME) { Sample s; s.operation = 5; // custom s.volume = volume; s.duration = dur * SampleRate / 1000; s.f = delegate short(int x) { auto currentFrequency = cast(float) freqBase / (1 + cast(float) x / (cast(float) SampleRate / attack)); import std.math; auto freq = 2 * PI / (cast(float) SampleRate / currentFrequency); return cast(short) (sin(cast(float) freq * cast(float) x) * short.max * volume / 100); }; addSample(s); } /// @scriptable void blip(float attack = 6, int freqBase = 800, int dur = 150, int volume = DEFAULT_VOLUME) { Sample s; s.operation = 5; // custom s.volume = volume; s.duration = dur * SampleRate / 1000; s.f = delegate short(int x) { auto currentFrequency = cast(float) freqBase * (1 + cast(float) x / (cast(float) SampleRate / attack)); import std.math; auto freq = 2 * PI / (cast(float) SampleRate / currentFrequency); return cast(short) (sin(cast(float) freq * cast(float) x) * short.max * volume / 100); }; addSample(s); } version(none) void custom(int dur = 150, int volume = DEFAULT_VOLUME) { Sample s; s.operation = 5; // custom s.volume = volume; s.duration = dur * SampleRate / 1000; s.f = delegate short(int x) { auto currentFrequency = 500.0 / (1 + cast(float) x / (cast(float) SampleRate / 8)); import std.math; auto freq = 2 * PI / (cast(float) SampleRate / currentFrequency); return cast(short) (sin(cast(float) freq * cast(float) x) * short.max * volume / 100); }; addSample(s); } /++ Plays the given midi files with the nuked opl3 emulator. Requires nukedopl3.d (module [arsd.nukedopl3]) to be compiled in, which is GPL. History: Added December 24, 2020. License: If you use this function, you are opting into the GPL version 2 or later. Authors: Based on ketmar's code. +/ SampleController playEmulatedOpl3Midi()(string filename, bool loop = false) { import std.file; auto bytes = cast(immutable(ubyte)[]) std.file.read(filename); return playEmulatedOpl3Midi(bytes); } /// ditto SampleController playEmulatedOpl3Midi()(immutable(ubyte)[] data, bool loop = false) { import arsd.nukedopl3; auto scf = new SampleControlFlags; auto player = new OPLPlayer(this.SampleRate, true, channels == 2); player.looped = loop; player.load(data); player.play(); addChannel( delegate bool(short[] buffer) { if(scf.paused) { buffer[] = 0; return true; } if(!player.playing) { scf.finished_ = true; return false; } auto pos = player.generate(buffer[]); scf.currentPosition += cast(float) buffer.length / SampleRate/ channels; if(pos == 0 || scf.stopped) { scf.finished_ = true; return false; } return !scf.stopped; } ); return scf; } /++ Requires vorbis.d to be compiled in (module arsd.vorbis) Returns: An implementation of [SampleController] which lets you pause, etc., the file. Please note that the static type may change in the future. It will always be a subtype of [SampleController], but it may be more specialized as I add more features and this will not necessarily match its sister functions, [playMp3] and [playWav], though all three will share an ancestor in [SampleController]. Therefore, if you use `auto`, there's no guarantee the static type won't change in future versions and I will NOT consider that a breaking change since the base interface will remain compatible. History: Automatic resampling support added Nov 7, 2020. Return value changed from `void` to a sample control object on December 23, 2020. +/ SampleController playOgg()(string filename, bool loop = false) { import arsd.vorbis; auto v = new VorbisDecoder(filename); return playOgg(v, loop); } /// ditto SampleController playOgg()(immutable(ubyte)[] data, bool loop = false) { import arsd.vorbis; auto v = new VorbisDecoder(cast(int) data.length, delegate int(void[] buffer, uint ofs, VorbisDecoder vb) nothrow @nogc { if(buffer is null) return 0; ubyte[] buf = cast(ubyte[]) buffer; if(ofs + buf.length <= data.length) { buf[] = data[ofs .. ofs + buf.length]; return cast(int) buf.length; } else { buf[0 .. data.length - ofs] = data[ofs .. $]; return cast(int) data.length - ofs; } }); return playOgg(v, loop); } // no compatibility guarantees, I can change this overload at any time! /* private */ SampleController playOgg(VorbisDecoder)(VorbisDecoder v, bool loop = false) { auto scf = new SampleControlFlags; /+ If you want 2 channels: if the file has 2+, use them. If the file has 1, duplicate it for the two outputs. If you want 1 channel: if the file has 1, use it if the file has 2, average them. +/ if(v.sampleRate == SampleRate && v.chans == channels) { plain_fallback: addChannel( delegate bool(short[] buffer) { if(scf.paused) { buffer[] = 0; return true; } if(cast(int) buffer.length != buffer.length) throw new Exception("eeeek"); plain: auto got = v.getSamplesShortInterleaved(2, buffer.ptr, cast(int) buffer.length); if(got == 0) { if(loop) { v.seekStart(); scf.currentPosition = 0; return true; } scf.finished_ = true; return false; } else { scf.currentPosition += cast(float) got / v.sampleRate; } if(scf.stopped) scf.finished_ = true; return !scf.stopped; } ); } else { version(with_resampler) { auto resampleContext = new class ResamplingContext { this() { super(scf, v.sampleRate, SampleRate, v.chans, channels); } override void loadMoreSamples() { float*[2] tmp; tmp[0] = buffersIn[0].ptr; tmp[1] = buffersIn[1].ptr; loop: auto actuallyGot = v.getSamplesFloat(v.chans, tmp.ptr, cast(int) buffersIn[0].length); if(actuallyGot == 0 && loop) { v.seekStart(); scf.currentPosition = 0; goto loop; } resamplerDataLeft.dataIn = buffersIn[0][0 .. actuallyGot]; if(v.chans > 1) resamplerDataRight.dataIn = buffersIn[1][0 .. actuallyGot]; } }; addChannel(&resampleContext.fillBuffer); } else goto plain_fallback; } return scf; } /++ Requires mp3.d to be compiled in (module [arsd.mp3]) which is LGPL licensed. That LGPL license will extend to your code. Returns: An implementation of [SampleController] which lets you pause, etc., the file. Please note that the static type may change in the future. It will always be a subtype of [SampleController], but it may be more specialized as I add more features and this will not necessarily match its sister functions, [playOgg] and [playWav], though all three will share an ancestor in [SampleController]. Therefore, if you use `auto`, there's no guarantee the static type won't change in future versions and I will NOT consider that a breaking change since the base interface will remain compatible. History: Automatic resampling support added Nov 7, 2020. Return value changed from `void` to a sample control object on December 23, 2020. The `immutable(ubyte)[]` overload was added December 30, 2020. +/ SampleController playMp3()(string filename) { import std.stdio; auto fi = new File(filename); // just let the GC close it... otherwise random segfaults happen... blargh auto reader = delegate(void[] buf) { return cast(int) fi.rawRead(buf[]).length; }; return playMp3(reader); } /// ditto SampleController playMp3()(immutable(ubyte)[] data) { return playMp3( (void[] buffer) { ubyte[] buf = cast(ubyte[]) buffer; if(data.length >= buf.length) { buf[] = data[0 .. buf.length]; data = data[buf.length .. $]; return cast(int) buf.length; } else { auto it = data.length; buf[0 .. data.length] = data[]; buf[data.length .. $] = 0; data = data[$ .. $]; return cast(int) it; } }); } // no compatibility guarantees, I can change this overload at any time! /* private */ SampleController playMp3()(int delegate(void[]) reader) { import arsd.mp3; auto mp3 = new MP3Decoder(reader); if(!mp3.valid) throw new Exception("file not valid"); auto scf = new SampleControlFlags; if(mp3.sampleRate == SampleRate && mp3.channels == channels) { plain_fallback: auto next = mp3.frameSamples; addChannel( delegate bool(short[] buffer) { if(scf.paused) { buffer[] = 0; return true; } if(cast(int) buffer.length != buffer.length) throw new Exception("eeeek"); more: if(next.length >= buffer.length) { buffer[] = next[0 .. buffer.length]; next = next[buffer.length .. $]; scf.currentPosition += cast(float) buffer.length / mp3.sampleRate / mp3.channels; } else { buffer[0 .. next.length] = next[]; buffer = buffer[next.length .. $]; scf.currentPosition += cast(float) next.length / mp3.sampleRate / mp3.channels; next = next[$..$]; if(buffer.length) { if(mp3.valid) { mp3.decodeNextFrame(reader); next = mp3.frameSamples; goto more; } else { buffer[] = 0; scf.finished_ = true; return false; } } } if(scf.stopped) scf.finished_ = true; return !scf.stopped; } ); } else { version(with_resampler) { auto next = mp3.frameSamples; auto resampleContext = new class ResamplingContext { this() { super(scf, mp3.sampleRate, SampleRate, mp3.channels, channels); } override void loadMoreSamples() { if(mp3.channels == 1) { int actuallyGot; foreach(ref b; buffersIn[0]) { if(next.length == 0) break; b = cast(float) next[0] / short.max; next = next[1 .. $]; if(next.length == 0) { mp3.decodeNextFrame(reader); next = mp3.frameSamples; } actuallyGot++; } resamplerDataLeft.dataIn = buffersIn[0][0 .. actuallyGot]; } else { int actuallyGot; foreach(idx, ref b; buffersIn[0]) { if(next.length == 0) break; b = cast(float) next[0] / short.max; next = next[1 .. $]; if(next.length == 0) { mp3.decodeNextFrame(reader); next = mp3.frameSamples; } buffersIn[1][idx] = cast(float) next[0] / short.max; next = next[1 .. $]; if(next.length == 0) { mp3.decodeNextFrame(reader); next = mp3.frameSamples; } actuallyGot++; } resamplerDataLeft.dataIn = buffersIn[0][0 .. actuallyGot]; resamplerDataRight.dataIn = buffersIn[1][0 .. actuallyGot]; } } }; addChannel(&resampleContext.fillBuffer); } else goto plain_fallback; } return scf; } /++ Requires [arsd.wav]. Only supports simple 8 or 16 bit wav files, no extensible or float formats at this time. Also requires the resampler to be compiled in at this time, but that may change in the future, I was just lazy. Returns: An implementation of [SampleController] which lets you pause, etc., the file. Please note that the static type may change in the future. It will always be a subtype of [SampleController], but it may be more specialized as I add more features and this will not necessarily match its sister functions, [playMp3] and [playOgg], though all three will share an ancestor in [SampleController]. Therefore, if you use `auto`, there's no guarantee the static type won't change in future versions and I will NOT consider that a breaking change since the base interface will remain compatible. History: Added Nov 8, 2020. Return value changed from `void` to a sample control object on December 23, 2020. +/ SampleController playWav(R)(R filename_or_data) if(is(R == string) /* filename */ || is(R == immutable(ubyte)[]) /* data */ ) { auto scf = new SampleControlFlags; version(with_resampler) { auto resampleContext = new class ResamplingContext { import arsd.wav; this() { reader = wavReader(filename_or_data); next = reader.front; super(scf, reader.sampleRate, SampleRate, reader.numberOfChannels, channels); } typeof(wavReader(filename_or_data)) reader; const(ubyte)[] next; override void loadMoreSamples() { bool moar() { if(next.length == 0) { if(reader.empty) return false; reader.popFront; next = reader.front; if(next.length == 0) return false; } return true; } if(reader.numberOfChannels == 1) { int actuallyGot; foreach(ref b; buffersIn[0]) { if(!moar) break; if(reader.bitsPerSample == 8) { b = (cast(float) next[0] - 128.0f) / 127.0f; next = next[1 .. $]; } else if(reader.bitsPerSample == 16) { short n = next[0]; next = next[1 .. $]; if(!moar) break; n |= cast(ushort)(next[0]) << 8; next = next[1 .. $]; b = (cast(float) n) / short.max; } else assert(0); actuallyGot++; } resamplerDataLeft.dataIn = buffersIn[0][0 .. actuallyGot]; } else { int actuallyGot; foreach(idx, ref b; buffersIn[0]) { if(!moar) break; if(reader.bitsPerSample == 8) { b = (cast(float) next[0] - 128.0f) / 127.0f; next = next[1 .. $]; if(!moar) break; buffersIn[1][idx] = (cast(float) next[0] - 128.0f) / 127.0f; next = next[1 .. $]; } else if(reader.bitsPerSample == 16) { short n = next[0]; next = next[1 .. $]; if(!moar) break; n |= cast(ushort)(next[0]) << 8; next = next[1 .. $]; b = (cast(float) n) / short.max; if(!moar) break; n = next[0]; next = next[1 .. $]; if(!moar) break; n |= cast(ushort)(next[0]) << 8; next = next[1 .. $]; buffersIn[1][idx] = (cast(float) n) / short.max; } else assert(0); actuallyGot++; } resamplerDataLeft.dataIn = buffersIn[0][0 .. actuallyGot]; resamplerDataRight.dataIn = buffersIn[1][0 .. actuallyGot]; } } }; addChannel(&resampleContext.fillBuffer); } else static assert(0, "I was lazy and didn't implement straight-through playing"); return scf; } struct Sample { int operation; int frequency; /* in samples */ int duration; /* in samples */ int volume; /* between 1 and 100. You should generally shoot for something lowish, like 20. */ int delay; /* in samples */ int x; short delegate(int x) f; } final void addSample(Sample currentSample) { int frequencyCounter; short val = cast(short) (cast(int) short.max * currentSample.volume / 100); addChannel( delegate bool (short[] buffer) { if(currentSample.duration) { size_t i = 0; if(currentSample.delay) { if(buffer.length <= currentSample.delay * 2) { // whole buffer consumed by delay buffer[] = 0; currentSample.delay -= buffer.length / 2; } else { i = currentSample.delay * 2; buffer[0 .. i] = 0; currentSample.delay = 0; } } if(currentSample.delay > 0) return true; size_t sampleFinish; if(currentSample.duration * 2 <= buffer.length) { sampleFinish = currentSample.duration * 2; currentSample.duration = 0; } else { sampleFinish = buffer.length; currentSample.duration -= buffer.length / 2; } switch(currentSample.operation) { case 0: // square wave for(; i < sampleFinish; i++) { buffer[i] = val; // left and right do the same thing so we only count // every other sample if(i & 1) { if(frequencyCounter) frequencyCounter--; if(frequencyCounter == 0) { // are you kidding me dmd? random casts suck val = cast(short) -cast(int)(val); frequencyCounter = currentSample.frequency / 2; } } } break; case 1: // noise for(; i < sampleFinish; i++) { import std.random; buffer[i] = uniform(cast(short) -cast(int)val, val); } break; /+ case 2: // triangle wave short[] tone; tone.length = 22050 * len / 1000; short valmax = cast(short) (cast(int) volume * short.max / 100); int wavelength = 22050 / freq; wavelength /= 2; int da = valmax / wavelength; int val = 0; for(int a = 0; a < tone.length; a++){ tone[a] = cast(short) val; val+= da; if(da > 0 && val >= valmax) da *= -1; if(da < 0 && val <= -valmax) da *= -1; } data ~= tone; for(; i < sampleFinish; i++) { buffer[i] = val; // left and right do the same thing so we only count // every other sample if(i & 1) { if(frequencyCounter) frequencyCounter--; if(frequencyCounter == 0) { val = 0; frequencyCounter = currentSample.frequency / 2; } } } break; case 3: // sawtooth wave short[] tone; tone.length = 22050 * len / 1000; int valmax = volume * short.max / 100; int wavelength = 22050 / freq; int da = valmax / wavelength; short val = 0; for(int a = 0; a < tone.length; a++){ tone[a] = val; val+= da; if(val >= valmax) val = 0; } data ~= tone; case 4: // sine wave short[] tone; tone.length = 22050 * len / 1000; int valmax = volume * short.max / 100; int val = 0; float i = 2*PI / (22050/freq); float f = 0; for(int a = 0; a < tone.length; a++){ tone[a] = cast(short) (valmax * sin(f)); f += i; if(f>= 2*PI) f -= 2*PI; } data ~= tone; +/ case 5: // custom function val = currentSample.f(currentSample.x); for(; i < sampleFinish; i++) { buffer[i] = val; if(i & 1) { currentSample.x++; val = currentSample.f(currentSample.x); } } break; default: // unknown; use silence currentSample.duration = 0; } if(i < buffer.length) buffer[i .. $] = 0; return currentSample.duration > 0; } else { return false; } } ); } /++ The delegate returns false when it is finished (true means keep going). It must fill the buffer with waveform data on demand and must be latency sensitive; as fast as possible. +/ public void addChannel(bool delegate(short[] buffer) dg) { synchronized(this) { // silently drops info if we don't have room in the buffer... // don't do a lot of long running things lol if(fillDatasLength < fillDatas.length) fillDatas[fillDatasLength++] = dg; } } private { AudioOutput* ao; bool delegate(short[] buffer)[32] fillDatas; int fillDatasLength = 0; } private void run() { version(linux) { // this thread has no business intercepting signals from the main thread, // so gonna block a couple of them import core.sys.posix.signal; sigset_t sigset; auto err = sigemptyset(&sigset); assert(!err); err = sigaddset(&sigset, SIGINT); assert(!err); err = sigaddset(&sigset, SIGCHLD); assert(!err); err = sigprocmask(SIG_BLOCK, &sigset, null); assert(!err); } AudioOutput ao = AudioOutput(device, SampleRate, channels); this.ao = &ao; scope(exit) this.ao = null; auto omg = this; ao.fillData = (short[] buffer) { short[BUFFER_SIZE_SHORT] bfr; bool first = true; if(fillDatasLength) { for(int idx = 0; idx < fillDatasLength; idx++) { auto dg = fillDatas[idx]; auto ret = dg(bfr[0 .. buffer.length][]); foreach(i, v; bfr[0 .. buffer.length][]) { int val; if(first) val = 0; else val = buffer[i]; int a = val; int b = v; int cap = a + b; if(cap > short.max) cap = short.max; else if(cap < short.min) cap = short.min; val = cast(short) cap; buffer[i] = cast(short) val; } if(!ret) { // it returned false meaning this one is finished... synchronized(omg) { fillDatas[idx] = fillDatas[fillDatasLength - 1]; fillDatasLength--; } idx--; } first = false; } } else { buffer[] = 0; } }; ao.play(); } } import core.stdc.config; version(linux) version=ALSA; version(Windows) version=WinMM; version(ALSA) { // this is the virtual rawmidi device on my computer at least // maybe later i'll make it probe // // Getting midi to actually play on Linux is a bit of a pain. // Here's what I did: /* # load the kernel driver, if amidi -l gives ioctl error, # you haven't done this yet! modprobe snd-virmidi # start a software synth. timidity -iA is also an option fluidsynth soundfont.sf2 # connect the virtual hardware port to the synthesizer aconnect 24:0 128:0 I might also add a snd_seq client here which is a bit easier to setup but for now I'm using the rawmidi so you gotta get them connected somehow. */ // fyi raw midi dump: amidi -d --port hw:4,0 // connect my midi out to fluidsynth: aconnect 28:0 128:0 // and my keyboard to it: aconnect 32:0 128:0 } /// Thrown on audio failures. /// Subclass this to provide OS-specific exceptions class AudioException : Exception { this(string message, string file = __FILE__, size_t line = __LINE__, Throwable next = null) { super(message, file, line, next); } } /++ Gives PCM input access (such as a microphone). History: Windows support added May 10, 2020 and the API got overhauled too. +/ struct AudioInput { version(ALSA) { snd_pcm_t* handle; } else version(WinMM) { HWAVEIN handle; HANDLE event; } else static assert(0); @disable this(); @disable this(this); int channels; int SampleRate; /// Always pass card == 0. this(int card, int SampleRate = 44100, int channels = 2) { assert(card == 0); this("default", SampleRate, channels); } /++ `device` is a device name. On Linux, it is the ALSA string. On Windows, it is currently ignored, so you should pass "default" or null so when it does get implemented your code won't break. History: Added Nov 8, 2020. +/ this(string device, int SampleRate = 44100, int channels = 2) { assert(channels == 1 || channels == 2); this.channels = channels; this.SampleRate = SampleRate; version(ALSA) { handle = openAlsaPcm(snd_pcm_stream_t.SND_PCM_STREAM_CAPTURE, SampleRate, channels, device); } else version(WinMM) { event = CreateEvent(null, false /* manual reset */, false /* initially triggered */, null); WAVEFORMATEX format; format.wFormatTag = WAVE_FORMAT_PCM; format.nChannels = 2; format.nSamplesPerSec = SampleRate; format.nAvgBytesPerSec = SampleRate * channels * 2; // two channels, two bytes per sample format.nBlockAlign = 4; format.wBitsPerSample = 16; format.cbSize = 0; if(auto err = waveInOpen(&handle, WAVE_MAPPER, &format, cast(DWORD_PTR) event, cast(DWORD_PTR) &this, CALLBACK_EVENT)) throw new WinMMException("wave in open", err); } else static assert(0); } /// Data is delivered as interleaved stereo, LE 16 bit, 44.1 kHz /// Each item in the array thus alternates between left and right channel /// and it takes a total of 88,200 items to make one second of sound. /// /// Returns the slice of the buffer actually read into /// /// LINUX ONLY. You should prolly use [record] instead version(ALSA) short[] read(short[] buffer) { snd_pcm_sframes_t read; read = snd_pcm_readi(handle, buffer.ptr, buffer.length / channels /* div number of channels apparently */); if(read < 0) { read = snd_pcm_recover(handle, cast(int) read, 0); if(read < 0) throw new AlsaException("pcm read", cast(int)read); return null; } return buffer[0 .. read * channels]; } /// passes a buffer of data to fill /// /// Data is delivered as interleaved stereo, LE 16 bit, 44.1 kHz /// Each item in the array thus alternates between left and right channel /// and it takes a total of 88,200 items to make one second of sound. void delegate(short[]) receiveData; /// void stop() { recording = false; } /// First, set [receiveData], then call this. void record() { assert(receiveData !is null); recording = true; version(ALSA) { short[BUFFER_SIZE_SHORT] buffer; while(recording) { auto got = read(buffer); receiveData(got); } } else version(WinMM) { enum numBuffers = 2; // use a lot of buffers to get smooth output with Sleep, see below short[BUFFER_SIZE_SHORT][numBuffers] buffers; WAVEHDR[numBuffers] headers; foreach(i, ref header; headers) { auto buffer = buffers[i][]; header.lpData = cast(char*) buffer.ptr; header.dwBufferLength = cast(int) buffer.length * cast(int) short.sizeof; header.dwFlags = 0;// WHDR_BEGINLOOP | WHDR_ENDLOOP; header.dwLoops = 0; if(auto err = waveInPrepareHeader(handle, &header, header.sizeof)) throw new WinMMException("prepare header", err); header.dwUser = 1; // mark that the driver is using it if(auto err = waveInAddBuffer(handle, &header, header.sizeof)) throw new WinMMException("wave in read", err); } waveInStart(handle); scope(failure) waveInReset(handle); while(recording) { if(auto err = WaitForSingleObject(event, INFINITE)) throw new Exception("WaitForSingleObject"); if(!recording) break; foreach(ref header; headers) { if(!(header.dwFlags & WHDR_DONE)) continue; receiveData((cast(short*) header.lpData)[0 .. header.dwBytesRecorded / short.sizeof]); if(!recording) break; header.dwUser = 1; // mark that the driver is using it if(auto err = waveInAddBuffer(handle, &header, header.sizeof)) { throw new WinMMException("waveInAddBuffer", err); } } } /* if(auto err = waveInStop(handle)) throw new WinMMException("wave in stop", err); */ if(auto err = waveInReset(handle)) { throw new WinMMException("wave in reset", err); } still_in_use: foreach(idx, header; headers) if(!(header.dwFlags & WHDR_DONE)) { Sleep(1); goto still_in_use; } foreach(ref header; headers) if(auto err = waveInUnprepareHeader(handle, &header, header.sizeof)) { throw new WinMMException("unprepare header", err); } ResetEvent(event); } else static assert(0); } private bool recording; ~this() { receiveData = null; version(ALSA) { snd_pcm_close(handle); } else version(WinMM) { if(auto err = waveInClose(handle)) throw new WinMMException("close", err); CloseHandle(event); // in wine (though not Windows nor winedbg as far as I can tell) // this randomly segfaults. the sleep prevents it. idk why. Sleep(5); } else static assert(0); } } /// enum SampleRateFull = 44100; /// Gives PCM output access (such as the speakers). struct AudioOutput { version(ALSA) { snd_pcm_t* handle; } else version(WinMM) { HWAVEOUT handle; } @disable this(); // This struct must NEVER be moved or copied, a pointer to it may // be passed to a device driver and stored! @disable this(this); private int SampleRate; private int channels; /++ `device` is a device name. On Linux, it is the ALSA string. On Windows, it is currently ignored, so you should pass "default" or null so when it does get implemented your code won't break. History: Added Nov 8, 2020. +/ this(string device, int SampleRate = 44100, int channels = 2) { assert(channels == 1 || channels == 2); this.SampleRate = SampleRate; this.channels = channels; version(ALSA) { handle = openAlsaPcm(snd_pcm_stream_t.SND_PCM_STREAM_PLAYBACK, SampleRate, channels, device); } else version(WinMM) { WAVEFORMATEX format; format.wFormatTag = WAVE_FORMAT_PCM; format.nChannels = cast(ushort) channels; format.nSamplesPerSec = SampleRate; format.nAvgBytesPerSec = SampleRate * channels * 2; // two channels, two bytes per sample format.nBlockAlign = 4; format.wBitsPerSample = 16; format.cbSize = 0; if(auto err = waveOutOpen(&handle, WAVE_MAPPER, &format, cast(DWORD_PTR) &mmCallback, cast(DWORD_PTR) &this, CALLBACK_FUNCTION)) throw new WinMMException("wave out open", err); } else static assert(0); } /// Always pass card == 0. this(int card, int SampleRate = 44100, int channels = 2) { assert(card == 0); this("default", SampleRate, channels); } /// passes a buffer of data to fill /// /// Data is assumed to be interleaved stereo, LE 16 bit, 44.1 kHz (unless you change that in the ctor) /// Each item in the array thus alternates between left and right channel (unless you change that in the ctor) /// and it takes a total of 88,200 items to make one second of sound. void delegate(short[]) fillData; shared(bool) playing = false; // considered to be volatile /// Starts playing, loops until stop is called void play() { assert(fillData !is null); playing = true; version(ALSA) { short[BUFFER_SIZE_SHORT] buffer; while(playing) { auto err = snd_pcm_wait(handle, 500); if(err < 0) { // see: https://stackoverflow.com/a/59400592/1457000 err = snd_pcm_recover(handle, err, 0); if(err) throw new AlsaException("pcm recover failed after pcm_wait did ", err); //throw new AlsaException("uh oh", err); continue; } // err == 0 means timeout // err == 1 means ready auto ready = snd_pcm_avail_update(handle); if(ready < 0) throw new AlsaException("avail", cast(int)ready); if(ready > BUFFER_SIZE_FRAMES) ready = BUFFER_SIZE_FRAMES; //import std.stdio; writeln("filling ", ready); fillData(buffer[0 .. ready * channels]); if(playing) { snd_pcm_sframes_t written; auto data = buffer[0 .. ready * channels]; while(data.length) { written = snd_pcm_writei(handle, data.ptr, data.length / channels); if(written < 0) { written = snd_pcm_recover(handle, cast(int)written, 0); if (written < 0) throw new AlsaException("pcm write", cast(int)written); } data = data[written * channels .. $]; } } } } else version(WinMM) { enum numBuffers = 4; // use a lot of buffers to get smooth output with Sleep, see below short[BUFFER_SIZE_SHORT][numBuffers] buffers; WAVEHDR[numBuffers] headers; foreach(i, ref header; headers) { // since this is wave out, it promises not to write... auto buffer = buffers[i][]; header.lpData = cast(char*) buffer.ptr; header.dwBufferLength = cast(int) buffer.length * cast(int) short.sizeof; header.dwFlags = WHDR_BEGINLOOP | WHDR_ENDLOOP; header.dwLoops = 1; if(auto err = waveOutPrepareHeader(handle, &header, header.sizeof)) throw new WinMMException("prepare header", err); // prime it fillData(buffer[]); // indicate that they are filled and good to go header.dwUser = 1; } while(playing) { // and queue both to be played, if they are ready foreach(ref header; headers) if(header.dwUser) { if(auto err = waveOutWrite(handle, &header, header.sizeof)) throw new WinMMException("wave out write", err); header.dwUser = 0; } Sleep(1); // the system resolution may be lower than this sleep. To avoid gaps // in output, we use multiple buffers. Might introduce latency, not // sure how best to fix. I don't want to busy loop... } // wait for the system to finish with our buffers bool anyInUse = true; while(anyInUse) { anyInUse = false; foreach(header; headers) { if(!header.dwUser) { anyInUse = true; break; } } if(anyInUse) Sleep(1); } foreach(ref header; headers) if(auto err = waveOutUnprepareHeader(handle, &header, header.sizeof)) throw new WinMMException("unprepare", err); } else static assert(0); } /// Breaks the play loop void stop() { playing = false; } /// void pause() { version(WinMM) waveOutPause(handle); else version(ALSA) snd_pcm_pause(handle, 1); } /// void unpause() { version(WinMM) waveOutRestart(handle); else version(ALSA) snd_pcm_pause(handle, 0); } version(WinMM) { extern(Windows) static void mmCallback(HWAVEOUT handle, UINT msg, void* userData, WAVEHDR* header, DWORD_PTR param2) { AudioOutput* ao = cast(AudioOutput*) userData; if(msg == WOM_DONE) { // we want to bounce back and forth between two buffers // to keep the sound going all the time if(ao.playing) { ao.fillData((cast(short*) header.lpData)[0 .. header.dwBufferLength / short.sizeof]); } header.dwUser = 1; } } } // FIXME: add async function hooks ~this() { version(ALSA) { snd_pcm_close(handle); } else version(WinMM) { waveOutClose(handle); } else static assert(0); } } /++ For reading midi events from hardware, for example, an electronic piano keyboard attached to the computer. +/ struct MidiInput { // reading midi devices... version(ALSA) { snd_rawmidi_t* handle; } else version(WinMM) { HMIDIIN handle; } @disable this(); @disable this(this); /+ B0 40 7F # pedal on B0 40 00 # sustain pedal off +/ /// Always pass card == 0. this(int card) { assert(card == 0); this("default"); // "hw:4,0" } /++ `device` is a device name. On Linux, it is the ALSA string. On Windows, it is currently ignored, so you should pass "default" or null so when it does get implemented your code won't break. History: Added Nov 8, 2020. +/ this(string device) { version(ALSA) { if(auto err = snd_rawmidi_open(&handle, null, device.toStringz, 0)) throw new AlsaException("rawmidi open", err); } else version(WinMM) { if(auto err = midiInOpen(&handle, 0, cast(DWORD_PTR) &mmCallback, cast(DWORD_PTR) &this, CALLBACK_FUNCTION)) throw new WinMMException("midi in open", err); } else static assert(0); } private bool recording = false; /// void stop() { recording = false; } /++ Records raw midi input data from the device. The timestamp is given in milliseconds since recording began (if you keep this program running for 23ish days it might overflow! so... don't do that.). The other bytes are the midi messages. $(PITFALL Do not call any other multimedia functions from the callback!) +/ void record(void delegate(uint timestamp, ubyte b1, ubyte b2, ubyte b3) dg) { version(ALSA) { recording = true; ubyte[1024] data; import core.time; auto start = MonoTime.currTime; while(recording) { auto read = snd_rawmidi_read(handle, data.ptr, data.length); if(read < 0) throw new AlsaException("midi read", cast(int) read); auto got = data[0 .. read]; while(got.length) { // FIXME some messages are fewer bytes.... dg(cast(uint) (MonoTime.currTime - start).total!"msecs", got[0], got[1], got[2]); got = got[3 .. $]; } } } else version(WinMM) { recording = true; this.dg = dg; scope(exit) this.dg = null; midiInStart(handle); scope(exit) midiInReset(handle); while(recording) { Sleep(1); } } else static assert(0); } version(WinMM) private void delegate(uint timestamp, ubyte b1, ubyte b2, ubyte b3) dg; version(WinMM) extern(Windows) static void mmCallback(HMIDIIN handle, UINT msg, DWORD_PTR user, DWORD_PTR param1, DWORD_PTR param2) { MidiInput* mi = cast(MidiInput*) user; if(msg == MIM_DATA) { mi.dg( cast(uint) param2, param1 & 0xff, (param1 >> 8) & 0xff, (param1 >> 16) & 0xff ); } } ~this() { version(ALSA) { snd_rawmidi_close(handle); } else version(WinMM) { midiInClose(handle); } else static assert(0); } } // plays a midi file in the background with methods to tweak song as it plays struct MidiOutputThread { void injectCommand() {} void pause() {} void unpause() {} void trackEnabled(bool on) {} void channelEnabled(bool on) {} void loopEnabled(bool on) {} // stops the current song, pushing its position to the stack for later void pushSong() {} // restores a popped song from where it was. void popSong() {} } version(Posix) { import core.sys.posix.signal; private sigaction_t oldSigIntr; void setSigIntHandler() { sigaction_t n; n.sa_handler = &interruptSignalHandlerSAudio; n.sa_mask = cast(sigset_t) 0; n.sa_flags = 0; sigaction(SIGINT, &n, &oldSigIntr); } void restoreSigIntHandler() { sigaction(SIGINT, &oldSigIntr, null); } __gshared bool interrupted; private extern(C) void interruptSignalHandlerSAudio(int sigNumber) nothrow { interrupted = true; } } /// Gives MIDI output access. struct MidiOutput { version(ALSA) { snd_rawmidi_t* handle; } else version(WinMM) { HMIDIOUT handle; } @disable this(); @disable this(this); /// Always pass card == 0. this(int card) { assert(card == 0); this("default"); // "hw:3,0" } /++ `device` is a device name. On Linux, it is the ALSA string. On Windows, it is currently ignored, so you should pass "default" or null so when it does get implemented your code won't break. History: Added Nov 8, 2020. +/ this(string device) { version(ALSA) { if(auto err = snd_rawmidi_open(null, &handle, device.toStringz, 0)) throw new AlsaException("rawmidi open", err); } else version(WinMM) { if(auto err = midiOutOpen(&handle, 0, 0, 0, CALLBACK_NULL)) throw new WinMMException("midi out open", err); } else static assert(0); } void silenceAllNotes() { foreach(a; 0 .. 16) writeMidiMessage((0x0b << 4)|a /*MIDI_EVENT_CONTROLLER*/, 123, 0); } /// Send a reset message, silencing all notes void reset() { version(ALSA) { static immutable ubyte[3] resetSequence = [0x0b << 4, 123, 0]; // send a controller event to reset it writeRawMessageData(resetSequence[]); static immutable ubyte[1] resetCmd = [0xff]; writeRawMessageData(resetCmd[]); // and flush it immediately snd_rawmidi_drain(handle); } else version(WinMM) { if(auto error = midiOutReset(handle)) throw new WinMMException("midi reset", error); } else static assert(0); } /// Writes a single low-level midi message /// Timing and sending sane data is your responsibility! void writeMidiMessage(int status, int param1, int param2) { version(ALSA) { ubyte[3] dataBuffer; dataBuffer[0] = cast(ubyte) status; dataBuffer[1] = cast(ubyte) param1; dataBuffer[2] = cast(ubyte) param2; auto msg = status >> 4; ubyte[] data; if(msg == MidiEvent.ProgramChange || msg == MidiEvent.ChannelAftertouch) data = dataBuffer[0 .. 2]; else data = dataBuffer[]; writeRawMessageData(data); } else version(WinMM) { DWORD word = (param2 << 16) | (param1 << 8) | status; if(auto error = midiOutShortMsg(handle, word)) throw new WinMMException("midi out", error); } else static assert(0); } /// Writes a series of individual raw messages. /// Timing and sending sane data is your responsibility! /// The data should NOT include any timestamp bytes - each midi message should be 2 or 3 bytes. void writeRawMessageData(scope const(ubyte)[] data) { if(data.length == 0) return; version(ALSA) { ssize_t written; while(data.length) { written = snd_rawmidi_write(handle, data.ptr, data.length); if(written < 0) throw new AlsaException("midi write", cast(int) written); data = data[cast(int) written .. $]; } } else version(WinMM) { while(data.length) { auto msg = data[0] >> 4; if(msg == MidiEvent.ProgramChange || msg == MidiEvent.ChannelAftertouch) { writeMidiMessage(data[0], data[1], 0); data = data[2 .. $]; } else { writeMidiMessage(data[0], data[1], data[2]); data = data[3 .. $]; } } } else static assert(0); } ~this() { version(ALSA) { snd_rawmidi_close(handle); } else version(WinMM) { midiOutClose(handle); } else static assert(0); } } // FIXME: maybe add a PC speaker beep function for completeness /// Interfaces with the default sound card. You should only have a single instance of this and it should /// be stack allocated, so its destructor cleans up after it. /// /// A mixer gives access to things like volume controls and mute buttons. It should also give a /// callback feature to alert you of when the settings are changed by another program. version(ALSA) // FIXME struct AudioMixer { // To port to a new OS: put the data in the right version blocks // then implement each function. Leave else static assert(0) at the // end of each version group in a function so it is easier to implement elsewhere later. // // If a function is only relevant on your OS, put the whole function in a version block // and give it an OS specific name of some sort. // // Feel free to do that btw without worrying about lowest common denominator: we want low level access when we want it. // // Put necessary bindings at the end of the file, or use an import if you like, but I prefer these files to be standalone. version(ALSA) { snd_mixer_t* handle; snd_mixer_selem_id_t* sid; snd_mixer_elem_t* selem; c_long maxVolume, minVolume; // these are ok to use if you are writing ALSA specific code i guess enum selemName = "Master"; } @disable this(); @disable this(this); /// Only cardId == 0 is supported this(int cardId) { assert(cardId == 0, "Pass 0 to use default sound card."); this("default"); } /++ `device` is a device name. On Linux, it is the ALSA string. On Windows, it is currently ignored, so you should pass "default" or null so when it does get implemented your code won't break. History: Added Nov 8, 2020. +/ this(string device) { version(ALSA) { if(auto err = snd_mixer_open(&handle, 0)) throw new AlsaException("open sound", err); scope(failure) snd_mixer_close(handle); if(auto err = snd_mixer_attach(handle, device.toStringz)) throw new AlsaException("attach to sound card", err); if(auto err = snd_mixer_selem_register(handle, null, null)) throw new AlsaException("register mixer", err); if(auto err = snd_mixer_load(handle)) throw new AlsaException("load mixer", err); if(auto err = snd_mixer_selem_id_malloc(&sid)) throw new AlsaException("master channel open", err); scope(failure) snd_mixer_selem_id_free(sid); snd_mixer_selem_id_set_index(sid, 0); snd_mixer_selem_id_set_name(sid, selemName); selem = snd_mixer_find_selem(handle, sid); if(selem is null) throw new AlsaException("find master element", 0); if(auto err = snd_mixer_selem_get_playback_volume_range(selem, &minVolume, &maxVolume)) throw new AlsaException("get volume range", err); version(with_eventloop) { import arsd.eventloop; addFileEventListeners(getAlsaFileDescriptors()[0], &eventListener, null, null); setAlsaElemCallback(&alsaCallback); } } else static assert(0); } ~this() { version(ALSA) { version(with_eventloop) { import arsd.eventloop; removeFileEventListeners(getAlsaFileDescriptors()[0]); } snd_mixer_selem_id_free(sid); snd_mixer_close(handle); } else static assert(0); } version(ALSA) version(with_eventloop) { static struct MixerEvent {} nothrow @nogc extern(C) static int alsaCallback(snd_mixer_elem_t*, uint) { import arsd.eventloop; try send(MixerEvent()); catch(Exception) return 1; return 0; } void eventListener(int fd) { handleAlsaEvents(); } } /// Gets the master channel's mute state /// Note: this affects shared system state and you should not use it unless the end user wants you to. @property bool muteMaster() { version(ALSA) { int result; if(auto err = snd_mixer_selem_get_playback_switch(selem, 0, &result)) throw new AlsaException("get mute state", err); return result == 0; } else static assert(0); } /// Mutes or unmutes the master channel /// Note: this affects shared system state and you should not use it unless the end user wants you to. @property void muteMaster(bool mute) { version(ALSA) { if(auto err = snd_mixer_selem_set_playback_switch_all(selem, mute ? 0 : 1)) throw new AlsaException("set mute state", err); } else static assert(0); } /// returns a percentage, between 0 and 100 (inclusive) int getMasterVolume() { version(ALSA) { auto volume = getMasterVolumeExact(); return cast(int)(volume * 100 / (maxVolume - minVolume)); } else static assert(0); } /// Gets the exact value returned from the operating system. The range may vary. int getMasterVolumeExact() { version(ALSA) { c_long volume; snd_mixer_selem_get_playback_volume(selem, 0, &volume); return cast(int)volume; } else static assert(0); } /// sets a percentage on the volume, so it must be 0 <= volume <= 100 /// Note: this affects shared system state and you should not use it unless the end user wants you to. void setMasterVolume(int volume) { version(ALSA) { assert(volume >= 0 && volume <= 100); setMasterVolumeExact(cast(int)(volume * (maxVolume - minVolume) / 100)); } else static assert(0); } /// Sets an exact volume. Must be in range of the OS provided min and max. void setMasterVolumeExact(int volume) { version(ALSA) { if(auto err = snd_mixer_selem_set_playback_volume_all(selem, volume)) throw new AlsaException("set volume", err); } else static assert(0); } version(ALSA) { /// Gets the ALSA descriptors which you can watch for events /// on using regular select, poll, epoll, etc. int[] getAlsaFileDescriptors() { import core.sys.posix.poll; pollfd[32] descriptors = void; int got = snd_mixer_poll_descriptors(handle, descriptors.ptr, descriptors.length); int[] result; result.length = got; foreach(i, desc; descriptors[0 .. got]) result[i] = desc.fd; return result; } /// When the FD is ready, call this to let ALSA do its thing. void handleAlsaEvents() { snd_mixer_handle_events(handle); } /// Set a callback for the master volume change events. void setAlsaElemCallback(snd_mixer_elem_callback_t dg) { snd_mixer_elem_set_callback(selem, dg); } } } // **************** // Midi helpers // **************** // FIXME: code the .mid file format, read and write enum MidiEvent { NoteOff = 0x08, NoteOn = 0x09, NoteAftertouch = 0x0a, Controller = 0x0b, ProgramChange = 0x0c, // one param ChannelAftertouch = 0x0d, // one param PitchBend = 0x0e, } enum MidiNote : ubyte { middleC = 60, A = 69, // 440 Hz As = 70, B = 71, C = 72, Cs = 73, D = 74, Ds = 75, E = 76, F = 77, Fs = 78, G = 79, Gs = 80, } /// Puts a note on at the beginning of the passed slice, advancing it by the amount of the message size. /// Returns the message slice. /// /// See: http://www.midi.org/techspecs/midimessages.php ubyte[] midiNoteOn(ref ubyte[] where, ubyte channel, byte note, byte velocity) { where[0] = (MidiEvent.NoteOn << 4) | (channel&0x0f); where[1] = note; where[2] = velocity; auto it = where[0 .. 3]; where = where[3 .. $]; return it; } /// Note off. ubyte[] midiNoteOff(ref ubyte[] where, ubyte channel, byte note, byte velocity) { where[0] = (MidiEvent.NoteOff << 4) | (channel&0x0f); where[1] = note; where[2] = velocity; auto it = where[0 .. 3]; where = where[3 .. $]; return it; } /// Aftertouch. ubyte[] midiNoteAftertouch(ref ubyte[] where, ubyte channel, byte note, byte pressure) { where[0] = (MidiEvent.NoteAftertouch << 4) | (channel&0x0f); where[1] = note; where[2] = pressure; auto it = where[0 .. 3]; where = where[3 .. $]; return it; } /// Controller. ubyte[] midiNoteController(ref ubyte[] where, ubyte channel, byte controllerNumber, byte controllerValue) { where[0] = (MidiEvent.Controller << 4) | (channel&0x0f); where[1] = controllerNumber; where[2] = controllerValue; auto it = where[0 .. 3]; where = where[3 .. $]; return it; } /// Program change. ubyte[] midiProgramChange(ref ubyte[] where, ubyte channel, byte program) { where[0] = (MidiEvent.ProgramChange << 4) | (channel&0x0f); where[1] = program; auto it = where[0 .. 2]; where = where[2 .. $]; return it; } /// Channel aftertouch. ubyte[] midiChannelAftertouch(ref ubyte[] where, ubyte channel, byte amount) { where[0] = (MidiEvent.ProgramChange << 4) | (channel&0x0f); where[1] = amount; auto it = where[0 .. 2]; where = where[2 .. $]; return it; } /// Pitch bend. FIXME doesn't work right ubyte[] midiNotePitchBend(ref ubyte[] where, ubyte channel, short change) { /* first byte is llllll second byte is mmmmmm Pitch Bend Change. 0mmmmmmm This message is sent to indicate a change in the pitch bender (wheel or lever, typically). The pitch bender is measured by a fourteen bit value. Center (no pitch change) is 2000H. Sensitivity is a function of the transmitter. (llllll) are the least significant 7 bits. (mmmmmm) are the most significant 7 bits. */ where[0] = (MidiEvent.PitchBend << 4) | (channel&0x0f); // FIXME where[1] = 0; where[2] = 0; auto it = where[0 .. 3]; where = where[3 .. $]; return it; } // **************** // Wav helpers // **************** // FIXME: the .wav file format should be here, read and write (at least basics) // as well as some kind helpers to generate some sounds. // **************** // OS specific helper stuff follows // **************** private const(char)* toStringz(string s) { return s.ptr; // FIXME jic } version(ALSA) // Opens the PCM device with default settings: stereo, 16 bit, 44.1 kHz, interleaved R/W. snd_pcm_t* openAlsaPcm(snd_pcm_stream_t direction, int SampleRate, int channels, string cardName = "default") { snd_pcm_t* handle; snd_pcm_hw_params_t* hwParams; /* Open PCM and initialize hardware */ if (auto err = snd_pcm_open(&handle, cardName.toStringz, direction, 0)) throw new AlsaException("open device", err); scope(failure) snd_pcm_close(handle); if (auto err = snd_pcm_hw_params_malloc(&hwParams)) throw new AlsaException("params malloc", err); scope(exit) snd_pcm_hw_params_free(hwParams); if (auto err = snd_pcm_hw_params_any(handle, hwParams)) // can actually survive a failure here, we will just move forward {} // throw new AlsaException("params init", err); if (auto err = snd_pcm_hw_params_set_access(handle, hwParams, snd_pcm_access_t.SND_PCM_ACCESS_RW_INTERLEAVED)) throw new AlsaException("params access", err); if (auto err = snd_pcm_hw_params_set_format(handle, hwParams, snd_pcm_format.SND_PCM_FORMAT_S16_LE)) throw new AlsaException("params format", err); uint rate = SampleRate; int dir = 0; if (auto err = snd_pcm_hw_params_set_rate_near(handle, hwParams, &rate, &dir)) throw new AlsaException("params rate", err); assert(rate == SampleRate); // cheap me if (auto err = snd_pcm_hw_params_set_channels(handle, hwParams, channels)) throw new AlsaException("params channels", err); uint periods = 2; { auto err = snd_pcm_hw_params_set_periods_near(handle, hwParams, &periods, 0); if(err < 0) throw new AlsaException("periods", err); snd_pcm_uframes_t sz = (BUFFER_SIZE_FRAMES * periods); err = snd_pcm_hw_params_set_buffer_size_near(handle, hwParams, &sz); if(err < 0) throw new AlsaException("buffer size", err); } if (auto err = snd_pcm_hw_params(handle, hwParams)) throw new AlsaException("params install", err); /* Setting up the callbacks */ snd_pcm_sw_params_t* swparams; if(auto err = snd_pcm_sw_params_malloc(&swparams)) throw new AlsaException("sw malloc", err); scope(exit) snd_pcm_sw_params_free(swparams); if(auto err = snd_pcm_sw_params_current(handle, swparams)) throw new AlsaException("sw set", err); if(auto err = snd_pcm_sw_params_set_avail_min(handle, swparams, BUFFER_SIZE_FRAMES)) throw new AlsaException("sw min", err); if(auto err = snd_pcm_sw_params_set_start_threshold(handle, swparams, 0)) throw new AlsaException("sw threshold", err); if(auto err = snd_pcm_sw_params(handle, swparams)) throw new AlsaException("sw params", err); /* finish setup */ if (auto err = snd_pcm_prepare(handle)) throw new AlsaException("prepare", err); assert(handle !is null); return handle; } version(ALSA) class AlsaException : AudioException { this(string message, int error, string file = __FILE__, size_t line = __LINE__, Throwable next = null) { auto msg = snd_strerror(error); import core.stdc.string; super(cast(string) (message ~ ": " ~ msg[0 .. strlen(msg)]), file, line, next); } } version(WinMM) class WinMMException : AudioException { this(string message, int error, string file = __FILE__, size_t line = __LINE__, Throwable next = null) { // FIXME: format the error // midiOutGetErrorText, etc. super(message, file, line, next); } } // **************** // Bindings follow // **************** version(ALSA) { extern(C): @nogc nothrow: pragma(lib, "asound"); private import core.sys.posix.poll; const(char)* snd_strerror(int); // pcm enum snd_pcm_stream_t { SND_PCM_STREAM_PLAYBACK, SND_PCM_STREAM_CAPTURE } enum snd_pcm_access_t { /** mmap access with simple interleaved channels */ SND_PCM_ACCESS_MMAP_INTERLEAVED = 0, /** mmap access with simple non interleaved channels */ SND_PCM_ACCESS_MMAP_NONINTERLEAVED, /** mmap access with complex placement */ SND_PCM_ACCESS_MMAP_COMPLEX, /** snd_pcm_readi/snd_pcm_writei access */ SND_PCM_ACCESS_RW_INTERLEAVED, /** snd_pcm_readn/snd_pcm_writen access */ SND_PCM_ACCESS_RW_NONINTERLEAVED, SND_PCM_ACCESS_LAST = SND_PCM_ACCESS_RW_NONINTERLEAVED } enum snd_pcm_format { /** Unknown */ SND_PCM_FORMAT_UNKNOWN = -1, /** Signed 8 bit */ SND_PCM_FORMAT_S8 = 0, /** Unsigned 8 bit */ SND_PCM_FORMAT_U8, /** Signed 16 bit Little Endian */ SND_PCM_FORMAT_S16_LE, /** Signed 16 bit Big Endian */ SND_PCM_FORMAT_S16_BE, /** Unsigned 16 bit Little Endian */ SND_PCM_FORMAT_U16_LE, /** Unsigned 16 bit Big Endian */ SND_PCM_FORMAT_U16_BE, /** Signed 24 bit Little Endian using low three bytes in 32-bit word */ SND_PCM_FORMAT_S24_LE, /** Signed 24 bit Big Endian using low three bytes in 32-bit word */ SND_PCM_FORMAT_S24_BE, /** Unsigned 24 bit Little Endian using low three bytes in 32-bit word */ SND_PCM_FORMAT_U24_LE, /** Unsigned 24 bit Big Endian using low three bytes in 32-bit word */ SND_PCM_FORMAT_U24_BE, /** Signed 32 bit Little Endian */ SND_PCM_FORMAT_S32_LE, /** Signed 32 bit Big Endian */ SND_PCM_FORMAT_S32_BE, /** Unsigned 32 bit Little Endian */ SND_PCM_FORMAT_U32_LE, /** Unsigned 32 bit Big Endian */ SND_PCM_FORMAT_U32_BE, /** Float 32 bit Little Endian, Range -1.0 to 1.0 */ SND_PCM_FORMAT_FLOAT_LE, /** Float 32 bit Big Endian, Range -1.0 to 1.0 */ SND_PCM_FORMAT_FLOAT_BE, /** Float 64 bit Little Endian, Range -1.0 to 1.0 */ SND_PCM_FORMAT_FLOAT64_LE, /** Float 64 bit Big Endian, Range -1.0 to 1.0 */ SND_PCM_FORMAT_FLOAT64_BE, /** IEC-958 Little Endian */ SND_PCM_FORMAT_IEC958_SUBFRAME_LE, /** IEC-958 Big Endian */ SND_PCM_FORMAT_IEC958_SUBFRAME_BE, /** Mu-Law */ SND_PCM_FORMAT_MU_LAW, /** A-Law */ SND_PCM_FORMAT_A_LAW, /** Ima-ADPCM */ SND_PCM_FORMAT_IMA_ADPCM, /** MPEG */ SND_PCM_FORMAT_MPEG, /** GSM */ SND_PCM_FORMAT_GSM, /** Special */ SND_PCM_FORMAT_SPECIAL = 31, /** Signed 24bit Little Endian in 3bytes format */ SND_PCM_FORMAT_S24_3LE = 32, /** Signed 24bit Big Endian in 3bytes format */ SND_PCM_FORMAT_S24_3BE, /** Unsigned 24bit Little Endian in 3bytes format */ SND_PCM_FORMAT_U24_3LE, /** Unsigned 24bit Big Endian in 3bytes format */ SND_PCM_FORMAT_U24_3BE, /** Signed 20bit Little Endian in 3bytes format */ SND_PCM_FORMAT_S20_3LE, /** Signed 20bit Big Endian in 3bytes format */ SND_PCM_FORMAT_S20_3BE, /** Unsigned 20bit Little Endian in 3bytes format */ SND_PCM_FORMAT_U20_3LE, /** Unsigned 20bit Big Endian in 3bytes format */ SND_PCM_FORMAT_U20_3BE, /** Signed 18bit Little Endian in 3bytes format */ SND_PCM_FORMAT_S18_3LE, /** Signed 18bit Big Endian in 3bytes format */ SND_PCM_FORMAT_S18_3BE, /** Unsigned 18bit Little Endian in 3bytes format */ SND_PCM_FORMAT_U18_3LE, /** Unsigned 18bit Big Endian in 3bytes format */ SND_PCM_FORMAT_U18_3BE, /* G.723 (ADPCM) 24 kbit/s, 8 samples in 3 bytes */ SND_PCM_FORMAT_G723_24, /* G.723 (ADPCM) 24 kbit/s, 1 sample in 1 byte */ SND_PCM_FORMAT_G723_24_1B, /* G.723 (ADPCM) 40 kbit/s, 8 samples in 3 bytes */ SND_PCM_FORMAT_G723_40, /* G.723 (ADPCM) 40 kbit/s, 1 sample in 1 byte */ SND_PCM_FORMAT_G723_40_1B, /* Direct Stream Digital (DSD) in 1-byte samples (x8) */ SND_PCM_FORMAT_DSD_U8, /* Direct Stream Digital (DSD) in 2-byte samples (x16) */ SND_PCM_FORMAT_DSD_U16_LE, SND_PCM_FORMAT_LAST = SND_PCM_FORMAT_DSD_U16_LE, // I snipped a bunch of endian-specific ones! } struct snd_pcm_t {} struct snd_pcm_hw_params_t {} struct snd_pcm_sw_params_t {} int snd_pcm_open(snd_pcm_t**, const char*, snd_pcm_stream_t, int); int snd_pcm_close(snd_pcm_t*); int snd_pcm_pause(snd_pcm_t*, int); int snd_pcm_prepare(snd_pcm_t*); int snd_pcm_hw_params(snd_pcm_t*, snd_pcm_hw_params_t*); int snd_pcm_hw_params_set_periods(snd_pcm_t*, snd_pcm_hw_params_t*, uint, int); int snd_pcm_hw_params_set_periods_near(snd_pcm_t*, snd_pcm_hw_params_t*, uint*, int); int snd_pcm_hw_params_set_buffer_size(snd_pcm_t*, snd_pcm_hw_params_t*, snd_pcm_uframes_t); int snd_pcm_hw_params_set_buffer_size_near(snd_pcm_t*, snd_pcm_hw_params_t*, snd_pcm_uframes_t*); int snd_pcm_hw_params_set_channels(snd_pcm_t*, snd_pcm_hw_params_t*, uint); int snd_pcm_hw_params_malloc(snd_pcm_hw_params_t**); void snd_pcm_hw_params_free(snd_pcm_hw_params_t*); int snd_pcm_hw_params_any(snd_pcm_t*, snd_pcm_hw_params_t*); int snd_pcm_hw_params_set_access(snd_pcm_t*, snd_pcm_hw_params_t*, snd_pcm_access_t); int snd_pcm_hw_params_set_format(snd_pcm_t*, snd_pcm_hw_params_t*, snd_pcm_format); int snd_pcm_hw_params_set_rate_near(snd_pcm_t*, snd_pcm_hw_params_t*, uint*, int*); int snd_pcm_sw_params_malloc(snd_pcm_sw_params_t**); void snd_pcm_sw_params_free(snd_pcm_sw_params_t*); int snd_pcm_sw_params_current(snd_pcm_t *pcm, snd_pcm_sw_params_t *params); int snd_pcm_sw_params(snd_pcm_t *pcm, snd_pcm_sw_params_t *params); int snd_pcm_sw_params_set_avail_min(snd_pcm_t*, snd_pcm_sw_params_t*, snd_pcm_uframes_t); int snd_pcm_sw_params_set_start_threshold(snd_pcm_t*, snd_pcm_sw_params_t*, snd_pcm_uframes_t); int snd_pcm_sw_params_set_stop_threshold(snd_pcm_t*, snd_pcm_sw_params_t*, snd_pcm_uframes_t); alias snd_pcm_sframes_t = c_long; alias snd_pcm_uframes_t = c_ulong; snd_pcm_sframes_t snd_pcm_writei(snd_pcm_t*, const void*, snd_pcm_uframes_t size); snd_pcm_sframes_t snd_pcm_readi(snd_pcm_t*, void*, snd_pcm_uframes_t size); int snd_pcm_wait(snd_pcm_t *pcm, int timeout); snd_pcm_sframes_t snd_pcm_avail(snd_pcm_t *pcm); snd_pcm_sframes_t snd_pcm_avail_update(snd_pcm_t *pcm); int snd_pcm_recover (snd_pcm_t* pcm, int err, int silent); alias snd_lib_error_handler_t = void function (const(char)* file, int line, const(char)* function_, int err, const(char)* fmt, ...); int snd_lib_error_set_handler (snd_lib_error_handler_t handler); import core.stdc.stdarg; private void alsa_message_silencer (const(char)* file, int line, const(char)* function_, int err, const(char)* fmt, ...) {} //k8: ALSAlib loves to trash stderr; shut it up void silence_alsa_messages () { snd_lib_error_set_handler(&alsa_message_silencer); } extern(D) shared static this () { silence_alsa_messages(); } // raw midi static if(is(size_t == uint)) alias ssize_t = int; else alias ssize_t = long; struct snd_rawmidi_t {} int snd_rawmidi_open(snd_rawmidi_t**, snd_rawmidi_t**, const char*, int); int snd_rawmidi_close(snd_rawmidi_t*); int snd_rawmidi_drain(snd_rawmidi_t*); ssize_t snd_rawmidi_write(snd_rawmidi_t*, const void*, size_t); ssize_t snd_rawmidi_read(snd_rawmidi_t*, void*, size_t); // mixer struct snd_mixer_t {} struct snd_mixer_elem_t {} struct snd_mixer_selem_id_t {} alias snd_mixer_elem_callback_t = int function(snd_mixer_elem_t*, uint); int snd_mixer_open(snd_mixer_t**, int mode); int snd_mixer_close(snd_mixer_t*); int snd_mixer_attach(snd_mixer_t*, const char*); int snd_mixer_load(snd_mixer_t*); // FIXME: those aren't actually void* int snd_mixer_selem_register(snd_mixer_t*, void*, void*); int snd_mixer_selem_id_malloc(snd_mixer_selem_id_t**); void snd_mixer_selem_id_free(snd_mixer_selem_id_t*); void snd_mixer_selem_id_set_index(snd_mixer_selem_id_t*, uint); void snd_mixer_selem_id_set_name(snd_mixer_selem_id_t*, const char*); snd_mixer_elem_t* snd_mixer_find_selem(snd_mixer_t*, in snd_mixer_selem_id_t*); // FIXME: the int should be an enum for channel identifier int snd_mixer_selem_get_playback_volume(snd_mixer_elem_t*, int, c_long*); int snd_mixer_selem_get_playback_volume_range(snd_mixer_elem_t*, c_long*, c_long*); int snd_mixer_selem_set_playback_volume_all(snd_mixer_elem_t*, c_long); void snd_mixer_elem_set_callback(snd_mixer_elem_t*, snd_mixer_elem_callback_t); int snd_mixer_poll_descriptors(snd_mixer_t*, pollfd*, uint space); int snd_mixer_handle_events(snd_mixer_t*); // FIXME: the first int should be an enum for channel identifier int snd_mixer_selem_get_playback_switch(snd_mixer_elem_t*, int, int* value); int snd_mixer_selem_set_playback_switch_all(snd_mixer_elem_t*, int); } version(WinMM) { extern(Windows): @nogc nothrow: pragma(lib, "winmm"); import core.sys.windows.windows; /* Windows functions include: http://msdn.microsoft.com/en-us/library/ms713762%28VS.85%29.aspx http://msdn.microsoft.com/en-us/library/ms713504%28v=vs.85%29.aspx http://msdn.microsoft.com/en-us/library/windows/desktop/dd798480%28v=vs.85%29.aspx# http://msdn.microsoft.com/en-US/subscriptions/ms712109.aspx */ // pcm // midi /+ alias HMIDIOUT = HANDLE; alias MMRESULT = UINT; MMRESULT midiOutOpen(HMIDIOUT*, UINT, DWORD, DWORD, DWORD); MMRESULT midiOutClose(HMIDIOUT); MMRESULT midiOutReset(HMIDIOUT); MMRESULT midiOutShortMsg(HMIDIOUT, DWORD); alias HWAVEOUT = HANDLE; struct WAVEFORMATEX { WORD wFormatTag; WORD nChannels; DWORD nSamplesPerSec; DWORD nAvgBytesPerSec; WORD nBlockAlign; WORD wBitsPerSample; WORD cbSize; } struct WAVEHDR { void* lpData; DWORD dwBufferLength; DWORD dwBytesRecorded; DWORD dwUser; DWORD dwFlags; DWORD dwLoops; WAVEHDR *lpNext; DWORD reserved; } enum UINT WAVE_MAPPER= -1; MMRESULT waveOutOpen(HWAVEOUT*, UINT_PTR, WAVEFORMATEX*, void* callback, void*, DWORD); MMRESULT waveOutClose(HWAVEOUT); MMRESULT waveOutPrepareHeader(HWAVEOUT, WAVEHDR*, UINT); MMRESULT waveOutUnprepareHeader(HWAVEOUT, WAVEHDR*, UINT); MMRESULT waveOutWrite(HWAVEOUT, WAVEHDR*, UINT); MMRESULT waveOutGetVolume(HWAVEOUT, PDWORD); MMRESULT waveOutSetVolume(HWAVEOUT, DWORD); enum CALLBACK_TYPEMASK = 0x70000; enum CALLBACK_NULL = 0; enum CALLBACK_WINDOW = 0x10000; enum CALLBACK_TASK = 0x20000; enum CALLBACK_FUNCTION = 0x30000; enum CALLBACK_THREAD = CALLBACK_TASK; enum CALLBACK_EVENT = 0x50000; enum WAVE_FORMAT_PCM = 1; enum WHDR_PREPARED = 2; enum WHDR_BEGINLOOP = 4; enum WHDR_ENDLOOP = 8; enum WHDR_INQUEUE = 16; enum WinMMMessage : UINT { MM_JOY1MOVE = 0x3A0, MM_JOY2MOVE, MM_JOY1ZMOVE, MM_JOY2ZMOVE, // = 0x3A3 MM_JOY1BUTTONDOWN = 0x3B5, MM_JOY2BUTTONDOWN, MM_JOY1BUTTONUP, MM_JOY2BUTTONUP, MM_MCINOTIFY, // = 0x3B9 MM_WOM_OPEN = 0x3BB, MM_WOM_CLOSE, MM_WOM_DONE, MM_WIM_OPEN, MM_WIM_CLOSE, MM_WIM_DATA, MM_MIM_OPEN, MM_MIM_CLOSE, MM_MIM_DATA, MM_MIM_LONGDATA, MM_MIM_ERROR, MM_MIM_LONGERROR, MM_MOM_OPEN, MM_MOM_CLOSE, MM_MOM_DONE, // = 0x3C9 MM_DRVM_OPEN = 0x3D0, MM_DRVM_CLOSE, MM_DRVM_DATA, MM_DRVM_ERROR, MM_STREAM_OPEN, MM_STREAM_CLOSE, MM_STREAM_DONE, MM_STREAM_ERROR, // = 0x3D7 MM_MOM_POSITIONCB = 0x3CA, MM_MCISIGNAL, MM_MIM_MOREDATA, // = 0x3CC MM_MIXM_LINE_CHANGE = 0x3D0, MM_MIXM_CONTROL_CHANGE = 0x3D1 } enum WOM_OPEN = WinMMMessage.MM_WOM_OPEN; enum WOM_CLOSE = WinMMMessage.MM_WOM_CLOSE; enum WOM_DONE = WinMMMessage.MM_WOM_DONE; enum WIM_OPEN = WinMMMessage.MM_WIM_OPEN; enum WIM_CLOSE = WinMMMessage.MM_WIM_CLOSE; enum WIM_DATA = WinMMMessage.MM_WIM_DATA; uint mciSendStringA(in char*,char*,uint,void*); +/ } version(with_resampler) { /* Copyright (C) 2007-2008 Jean-Marc Valin * Copyright (C) 2008 Thorvald Natvig * D port by Ketmar // Invisible Vector * * Arbitrary resampling code * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright notice, * this list of conditions and the following disclaimer. * * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * * 3. The name of the author may not be used to endorse or promote products * derived from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR * IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES * OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE * DISCLAIMED. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, * INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR * SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) * HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, * STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN * ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE * POSSIBILITY OF SUCH DAMAGE. */ /* A-a-a-and now... D port is covered by the following license! * * This program is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with this program. If not, see <http://www.gnu.org/licenses/>. */ //module iv.follin.resampler /*is aliced*/; //import iv.alice; /* The design goals of this code are: - Very fast algorithm - SIMD-friendly algorithm - Low memory requirement - Good *perceptual* quality (and not best SNR) Warning: This resampler is relatively new. Although I think I got rid of all the major bugs and I don't expect the API to change anymore, there may be something I've missed. So use with caution. This algorithm is based on this original resampling algorithm: Smith, Julius O. Digital Audio Resampling Home Page Center for Computer Research in Music and Acoustics (CCRMA), Stanford University, 2007. Web published at http://www-ccrma.stanford.edu/~jos/resample/. There is one main difference, though. This resampler uses cubic interpolation instead of linear interpolation in the above paper. This makes the table much smaller and makes it possible to compute that table on a per-stream basis. In turn, being able to tweak the table for each stream makes it possible to both reduce complexity on simple ratios (e.g. 2/3), and get rid of the rounding operations in the inner loop. The latter both reduces CPU time and makes the algorithm more SIMD-friendly. */ version = sincresample_use_full_table; version(X86) { version(sincresample_disable_sse) { } else { version(D_PIC) {} else version = sincresample_use_sse; } } // ////////////////////////////////////////////////////////////////////////// // public struct SpeexResampler { public: alias Quality = int; enum : uint { Fastest = 0, Voip = 3, Default = 4, Desktop = 5, Music = 8, Best = 10, } enum Error { OK = 0, NoMemory, BadState, BadArgument, BadData, } private: nothrow @trusted @nogc: alias ResamplerFn = int function (ref SpeexResampler st, uint chanIdx, const(float)* indata, uint *indataLen, float *outdata, uint *outdataLen); private: uint inRate; uint outRate; uint numRate; // from uint denRate; // to Quality srQuality; uint chanCount; uint filterLen; uint memAllocSize; uint bufferSize; int intAdvance; int fracAdvance; float cutoff; uint oversample; bool started; // these are per-channel int[64] lastSample; uint[64] sampFracNum; uint[64] magicSamples; float* mem; uint realMemLen; // how much memory really allocated float* sincTable; uint sincTableLen; uint realSincTableLen; // how much memory really allocated ResamplerFn resampler; int inStride; int outStride; public: static string errorStr (int err) { switch (err) with (Error) { case OK: return "success"; case NoMemory: return "memory allocation failed"; case BadState: return "bad resampler state"; case BadArgument: return "invalid argument"; case BadData: return "bad data passed"; default: } return "unknown error"; } public: @disable this (this); ~this () { deinit(); } @property bool inited () const pure { return (resampler !is null); } void deinit () { import core.stdc.stdlib : free; if (mem !is null) { free(mem); mem = null; } if (sincTable !is null) { free(sincTable); sincTable = null; } /* memAllocSize = realMemLen = 0; sincTableLen = realSincTableLen = 0; resampler = null; started = false; */ inRate = outRate = numRate = denRate = 0; srQuality = cast(Quality)666; chanCount = 0; filterLen = 0; memAllocSize = 0; bufferSize = 0; intAdvance = 0; fracAdvance = 0; cutoff = 0; oversample = 0; started = 0; mem = null; realMemLen = 0; // how much memory really allocated sincTable = null; sincTableLen = 0; realSincTableLen = 0; // how much memory really allocated resampler = null; inStride = outStride = 0; } /** Create a new resampler with integer input and output rates. * * Params: * chans = Number of channels to be processed * inRate = Input sampling rate (integer number of Hz). * outRate = Output sampling rate (integer number of Hz). * aquality = Resampling quality between 0 and 10, where 0 has poor quality and 10 has very high quality. * * Returns: * 0 or error code */ Error setup (uint chans, uint ainRate, uint aoutRate, Quality aquality/*, usize line=__LINE__*/) { //{ import core.stdc.stdio; printf("init: %u -> %u at %u\n", ainRate, aoutRate, cast(uint)line); } import core.stdc.stdlib : malloc, free; deinit(); if (aquality < 0) aquality = 0; if (aquality > SpeexResampler.Best) aquality = SpeexResampler.Best; if (chans < 1 || chans > 16) return Error.BadArgument; started = false; inRate = 0; outRate = 0; numRate = 0; denRate = 0; srQuality = cast(Quality)666; // it's ok sincTableLen = 0; memAllocSize = 0; filterLen = 0; mem = null; resampler = null; cutoff = 1.0f; chanCount = chans; inStride = 1; outStride = 1; bufferSize = 160; // per channel data lastSample[] = 0; magicSamples[] = 0; sampFracNum[] = 0; setQuality(aquality); setRate(ainRate, aoutRate); if (auto filterErr = updateFilter()) { deinit(); return filterErr; } skipZeros(); // make sure that the first samples to go out of the resamplers don't have leading zeros return Error.OK; } /** Set (change) the input/output sampling rates (integer value). * * Params: * ainRate = Input sampling rate (integer number of Hz). * aoutRate = Output sampling rate (integer number of Hz). * * Returns: * 0 or error code */ Error setRate (uint ainRate, uint aoutRate/*, usize line=__LINE__*/) { //{ import core.stdc.stdio; printf("changing rate: %u -> %u at %u\n", ainRate, aoutRate, cast(uint)line); } if (inRate == ainRate && outRate == aoutRate) return Error.OK; //{ import core.stdc.stdio; printf("changing rate: %u -> %u at %u\n", ratioNum, ratioDen, cast(uint)line); } uint oldDen = denRate; inRate = ainRate; outRate = aoutRate; auto div = gcd(ainRate, aoutRate); numRate = ainRate/div; denRate = aoutRate/div; if (oldDen > 0) { foreach (ref v; sampFracNum.ptr[0..chanCount]) { v = v*denRate/oldDen; // safety net if (v >= denRate) v = denRate-1; } } return (inited ? updateFilter() : Error.OK); } /** Get the current input/output sampling rates (integer value). * * Params: * ainRate = Input sampling rate (integer number of Hz) copied. * aoutRate = Output sampling rate (integer number of Hz) copied. */ void getRate (out uint ainRate, out uint aoutRate) { ainRate = inRate; aoutRate = outRate; } @property uint getInRate () { return inRate; } @property uint getOutRate () { return outRate; } @property uint getChans () { return chanCount; } /** Get the current resampling ratio. This will be reduced to the least common denominator. * * Params: * ratioNum = Numerator of the sampling rate ratio copied * ratioDen = Denominator of the sampling rate ratio copied */ void getRatio (out uint ratioNum, out uint ratioDen) { ratioNum = numRate; ratioDen = denRate; } /** Set (change) the conversion quality. * * Params: * quality = Resampling quality between 0 and 10, where 0 has poor quality and 10 has very high quality. * * Returns: * 0 or error code */ Error setQuality (Quality aquality) { if (aquality < 0) aquality = 0; if (aquality > SpeexResampler.Best) aquality = SpeexResampler.Best; if (srQuality == aquality) return Error.OK; srQuality = aquality; return (inited ? updateFilter() : Error.OK); } /** Get the conversion quality. * * Returns: * Resampling quality between 0 and 10, where 0 has poor quality and 10 has very high quality. */ int getQuality () { return srQuality; } /** Get the latency introduced by the resampler measured in input samples. * * Returns: * Input latency; */ int inputLatency () { return filterLen/2; } /** Get the latency introduced by the resampler measured in output samples. * * Returns: * Output latency. */ int outputLatency () { return ((filterLen/2)*denRate+(numRate>>1))/numRate; } /* Make sure that the first samples to go out of the resamplers don't have * leading zeros. This is only useful before starting to use a newly created * resampler. It is recommended to use that when resampling an audio file, as * it will generate a file with the same length. For real-time processing, * it is probably easier not to use this call (so that the output duration * is the same for the first frame). * * Setup/reset sequence will automatically call this, so it is private. */ private void skipZeros () { foreach (immutable i; 0..chanCount) lastSample.ptr[i] = filterLen/2; } static struct Data { const(float)[] dataIn; float[] dataOut; uint inputSamplesUsed; // out value, in samples (i.e. multiplied by channel count) uint outputSamplesUsed; // out value, in samples (i.e. multiplied by channel count) } /** Resample (an interleaved) float array. The input and output buffers must *not* overlap. * `data.dataIn` can be empty, but `data.dataOut` can't. * Function will return number of consumed samples (*not* *frames*!) in `data.inputSamplesUsed`, * and number of produced samples in `data.outputSamplesUsed`. * You should provide enough samples for all channels, and all channels will be processed. * * Params: * data = input and output buffers, number of frames consumed and produced * * Returns: * 0 or error code */ Error process(string mode="interleaved") (ref Data data) { static assert(mode == "interleaved" || mode == "sequential"); data.inputSamplesUsed = data.outputSamplesUsed = 0; if (!inited) return Error.BadState; if (data.dataIn.length%chanCount || data.dataOut.length < 1 || data.dataOut.length%chanCount) return Error.BadData; if (data.dataIn.length > uint.max/4 || data.dataOut.length > uint.max/4) return Error.BadData; static if (mode == "interleaved") { inStride = outStride = chanCount; } else { inStride = outStride = 1; } uint iofs = 0, oofs = 0; immutable uint idclen = cast(uint)(data.dataIn.length/chanCount); immutable uint odclen = cast(uint)(data.dataOut.length/chanCount); foreach (immutable i; 0..chanCount) { data.inputSamplesUsed = idclen; data.outputSamplesUsed = odclen; if (data.dataIn.length) { processOneChannel(i, data.dataIn.ptr+iofs, &data.inputSamplesUsed, data.dataOut.ptr+oofs, &data.outputSamplesUsed); } else { processOneChannel(i, null, &data.inputSamplesUsed, data.dataOut.ptr+oofs, &data.outputSamplesUsed); } static if (mode == "interleaved") { ++iofs; ++oofs; } else { iofs += idclen; oofs += odclen; } } data.inputSamplesUsed *= chanCount; data.outputSamplesUsed *= chanCount; return Error.OK; } //HACK for libswresample // return -1 or number of outframes int swrconvert (float** outbuf, int outframes, const(float)**inbuf, int inframes) { if (!inited || outframes < 1 || inframes < 0) return -1; inStride = outStride = 1; Data data; foreach (immutable i; 0..chanCount) { data.dataIn = (inframes ? inbuf[i][0..inframes] : null); data.dataOut = (outframes ? outbuf[i][0..outframes] : null); data.inputSamplesUsed = inframes; data.outputSamplesUsed = outframes; if (inframes > 0) { processOneChannel(i, data.dataIn.ptr, &data.inputSamplesUsed, data.dataOut.ptr, &data.outputSamplesUsed); } else { processOneChannel(i, null, &data.inputSamplesUsed, data.dataOut.ptr, &data.outputSamplesUsed); } } return data.outputSamplesUsed; } /// Reset a resampler so a new (unrelated) stream can be processed. void reset () { lastSample[] = 0; magicSamples[] = 0; sampFracNum[] = 0; //foreach (immutable i; 0..chanCount*(filterLen-1)) mem[i] = 0; if (mem !is null) mem[0..chanCount*(filterLen-1)] = 0; skipZeros(); // make sure that the first samples to go out of the resamplers don't have leading zeros } private: Error processOneChannel (uint chanIdx, const(float)* indata, uint* indataLen, float* outdata, uint* outdataLen) { uint ilen = *indataLen; uint olen = *outdataLen; float* x = mem+chanIdx*memAllocSize; immutable int filterOfs = filterLen-1; immutable uint xlen = memAllocSize-filterOfs; immutable int istride = inStride; if (magicSamples.ptr[chanIdx]) olen -= magic(chanIdx, &outdata, olen); if (!magicSamples.ptr[chanIdx]) { while (ilen && olen) { uint ichunk = (ilen > xlen ? xlen : ilen); uint ochunk = olen; if (indata !is null) { //foreach (immutable j; 0..ichunk) x[j+filterOfs] = indata[j*istride]; if (istride == 1) { x[filterOfs..filterOfs+ichunk] = indata[0..ichunk]; } else { auto sp = indata; auto dp = x+filterOfs; foreach (immutable j; 0..ichunk) { *dp++ = *sp; sp += istride; } } } else { //foreach (immutable j; 0..ichunk) x[j+filterOfs] = 0; x[filterOfs..filterOfs+ichunk] = 0; } processNative(chanIdx, &ichunk, outdata, &ochunk); ilen -= ichunk; olen -= ochunk; outdata += ochunk*outStride; if (indata !is null) indata += ichunk*istride; } } *indataLen -= ilen; *outdataLen -= olen; return Error.OK; } Error processNative (uint chanIdx, uint* indataLen, float* outdata, uint* outdataLen) { immutable N = filterLen; int outSample = 0; float* x = mem+chanIdx*memAllocSize; uint ilen; started = true; // call the right resampler through the function ptr outSample = resampler(this, chanIdx, x, indataLen, outdata, outdataLen); if (lastSample.ptr[chanIdx] < cast(int)*indataLen) *indataLen = lastSample.ptr[chanIdx]; *outdataLen = outSample; lastSample.ptr[chanIdx] -= *indataLen; ilen = *indataLen; foreach (immutable j; 0..N-1) x[j] = x[j+ilen]; return Error.OK; } int magic (uint chanIdx, float **outdata, uint outdataLen) { uint tempInLen = magicSamples.ptr[chanIdx]; float* x = mem+chanIdx*memAllocSize; processNative(chanIdx, &tempInLen, *outdata, &outdataLen); magicSamples.ptr[chanIdx] -= tempInLen; // if we couldn't process all "magic" input samples, save the rest for next time if (magicSamples.ptr[chanIdx]) { immutable N = filterLen; foreach (immutable i; 0..magicSamples.ptr[chanIdx]) x[N-1+i] = x[N-1+i+tempInLen]; } *outdata += outdataLen*outStride; return outdataLen; } Error updateFilter () { uint oldFilterLen = filterLen; uint oldAllocSize = memAllocSize; bool useDirect; uint minSincTableLen; uint minAllocSize; intAdvance = numRate/denRate; fracAdvance = numRate%denRate; oversample = qualityMap.ptr[srQuality].oversample; filterLen = qualityMap.ptr[srQuality].baseLength; if (numRate > denRate) { // down-sampling cutoff = qualityMap.ptr[srQuality].downsampleBandwidth*denRate/numRate; // FIXME: divide the numerator and denominator by a certain amount if they're too large filterLen = filterLen*numRate/denRate; // round up to make sure we have a multiple of 8 for SSE filterLen = ((filterLen-1)&(~0x7))+8; if (2*denRate < numRate) oversample >>= 1; if (4*denRate < numRate) oversample >>= 1; if (8*denRate < numRate) oversample >>= 1; if (16*denRate < numRate) oversample >>= 1; if (oversample < 1) oversample = 1; } else { // up-sampling cutoff = qualityMap.ptr[srQuality].upsampleBandwidth; } // choose the resampling type that requires the least amount of memory version(sincresample_use_full_table) { useDirect = true; if (int.max/float.sizeof/denRate < filterLen) goto fail; } else { useDirect = (filterLen*denRate <= filterLen*oversample+8 && int.max/float.sizeof/denRate >= filterLen); } if (useDirect) { minSincTableLen = filterLen*denRate; } else { if ((int.max/float.sizeof-8)/oversample < filterLen) goto fail; minSincTableLen = filterLen*oversample+8; } if (sincTableLen < minSincTableLen) { import core.stdc.stdlib : realloc; auto nslen = cast(uint)(minSincTableLen*float.sizeof); if (nslen > realSincTableLen) { if (nslen < 512*1024) nslen = 512*1024; // inc to 3 mb? auto x = cast(float*)realloc(sincTable, nslen); if (!x) goto fail; sincTable = x; realSincTableLen = nslen; } sincTableLen = minSincTableLen; } if (useDirect) { foreach (int i; 0..denRate) { foreach (int j; 0..filterLen) { sincTable[i*filterLen+j] = sinc(cutoff, ((j-cast(int)filterLen/2+1)-(cast(float)i)/denRate), filterLen, qualityMap.ptr[srQuality].windowFunc); } } if (srQuality > 8) { resampler = &resamplerBasicDirect!double; } else { resampler = &resamplerBasicDirect!float; } } else { foreach (immutable int i; -4..cast(int)(oversample*filterLen+4)) { sincTable[i+4] = sinc(cutoff, (i/cast(float)oversample-filterLen/2), filterLen, qualityMap.ptr[srQuality].windowFunc); } if (srQuality > 8) { resampler = &resamplerBasicInterpolate!double; } else { resampler = &resamplerBasicInterpolate!float; } } /* Here's the place where we update the filter memory to take into account the change in filter length. It's probably the messiest part of the code due to handling of lots of corner cases. */ // adding bufferSize to filterLen won't overflow here because filterLen could be multiplied by float.sizeof above minAllocSize = filterLen-1+bufferSize; if (minAllocSize > memAllocSize) { import core.stdc.stdlib : realloc; if (int.max/float.sizeof/chanCount < minAllocSize) goto fail; auto nslen = cast(uint)(chanCount*minAllocSize*mem[0].sizeof); if (nslen > realMemLen) { if (nslen < 16384) nslen = 16384; auto x = cast(float*)realloc(mem, nslen); if (x is null) goto fail; mem = x; realMemLen = nslen; } memAllocSize = minAllocSize; } if (!started) { //foreach (i=0;i<chanCount*memAllocSize;i++) mem[i] = 0; mem[0..chanCount*memAllocSize] = 0; } else if (filterLen > oldFilterLen) { // increase the filter length foreach_reverse (uint i; 0..chanCount) { uint j; uint olen = oldFilterLen; { // try and remove the magic samples as if nothing had happened //FIXME: this is wrong but for now we need it to avoid going over the array bounds olen = oldFilterLen+2*magicSamples.ptr[i]; for (j = oldFilterLen-1+magicSamples.ptr[i]; j--; ) mem[i*memAllocSize+j+magicSamples.ptr[i]] = mem[i*oldAllocSize+j]; //for (j = 0; j < magicSamples.ptr[i]; ++j) mem[i*memAllocSize+j] = 0; mem[i*memAllocSize..i*memAllocSize+magicSamples.ptr[i]] = 0; magicSamples.ptr[i] = 0; } if (filterLen > olen) { // if the new filter length is still bigger than the "augmented" length // copy data going backward for (j = 0; j < olen-1; ++j) mem[i*memAllocSize+(filterLen-2-j)] = mem[i*memAllocSize+(olen-2-j)]; // then put zeros for lack of anything better for (; j < filterLen-1; ++j) mem[i*memAllocSize+(filterLen-2-j)] = 0; // adjust lastSample lastSample.ptr[i] += (filterLen-olen)/2; } else { // put back some of the magic! magicSamples.ptr[i] = (olen-filterLen)/2; for (j = 0; j < filterLen-1+magicSamples.ptr[i]; ++j) mem[i*memAllocSize+j] = mem[i*memAllocSize+j+magicSamples.ptr[i]]; } } } else if (filterLen < oldFilterLen) { // reduce filter length, this a bit tricky // we need to store some of the memory as "magic" samples so they can be used directly as input the next time(s) foreach (immutable i; 0..chanCount) { uint j; uint oldMagic = magicSamples.ptr[i]; magicSamples.ptr[i] = (oldFilterLen-filterLen)/2; // we must copy some of the memory that's no longer used // copy data going backward for (j = 0; j < filterLen-1+magicSamples.ptr[i]+oldMagic; ++j) { mem[i*memAllocSize+j] = mem[i*memAllocSize+j+magicSamples.ptr[i]]; } magicSamples.ptr[i] += oldMagic; } } return Error.OK; fail: resampler = null; /* mem may still contain consumed input samples for the filter. Restore filterLen so that filterLen-1 still points to the position after the last of these samples. */ filterLen = oldFilterLen; return Error.NoMemory; } } // ////////////////////////////////////////////////////////////////////////// // static immutable double[68] kaiser12Table = [ 0.99859849, 1.00000000, 0.99859849, 0.99440475, 0.98745105, 0.97779076, 0.96549770, 0.95066529, 0.93340547, 0.91384741, 0.89213598, 0.86843014, 0.84290116, 0.81573067, 0.78710866, 0.75723148, 0.72629970, 0.69451601, 0.66208321, 0.62920216, 0.59606986, 0.56287762, 0.52980938, 0.49704014, 0.46473455, 0.43304576, 0.40211431, 0.37206735, 0.34301800, 0.31506490, 0.28829195, 0.26276832, 0.23854851, 0.21567274, 0.19416736, 0.17404546, 0.15530766, 0.13794294, 0.12192957, 0.10723616, 0.09382272, 0.08164178, 0.07063950, 0.06075685, 0.05193064, 0.04409466, 0.03718069, 0.03111947, 0.02584161, 0.02127838, 0.01736250, 0.01402878, 0.01121463, 0.00886058, 0.00691064, 0.00531256, 0.00401805, 0.00298291, 0.00216702, 0.00153438, 0.00105297, 0.00069463, 0.00043489, 0.00025272, 0.00013031, 0.0000527734, 0.00001000, 0.00000000]; static immutable double[36] kaiser10Table = [ 0.99537781, 1.00000000, 0.99537781, 0.98162644, 0.95908712, 0.92831446, 0.89005583, 0.84522401, 0.79486424, 0.74011713, 0.68217934, 0.62226347, 0.56155915, 0.50119680, 0.44221549, 0.38553619, 0.33194107, 0.28205962, 0.23636152, 0.19515633, 0.15859932, 0.12670280, 0.09935205, 0.07632451, 0.05731132, 0.04193980, 0.02979584, 0.02044510, 0.01345224, 0.00839739, 0.00488951, 0.00257636, 0.00115101, 0.00035515, 0.00000000, 0.00000000]; static immutable double[36] kaiser8Table = [ 0.99635258, 1.00000000, 0.99635258, 0.98548012, 0.96759014, 0.94302200, 0.91223751, 0.87580811, 0.83439927, 0.78875245, 0.73966538, 0.68797126, 0.63451750, 0.58014482, 0.52566725, 0.47185369, 0.41941150, 0.36897272, 0.32108304, 0.27619388, 0.23465776, 0.19672670, 0.16255380, 0.13219758, 0.10562887, 0.08273982, 0.06335451, 0.04724088, 0.03412321, 0.02369490, 0.01563093, 0.00959968, 0.00527363, 0.00233883, 0.00050000, 0.00000000]; static immutable double[36] kaiser6Table = [ 0.99733006, 1.00000000, 0.99733006, 0.98935595, 0.97618418, 0.95799003, 0.93501423, 0.90755855, 0.87598009, 0.84068475, 0.80211977, 0.76076565, 0.71712752, 0.67172623, 0.62508937, 0.57774224, 0.53019925, 0.48295561, 0.43647969, 0.39120616, 0.34752997, 0.30580127, 0.26632152, 0.22934058, 0.19505503, 0.16360756, 0.13508755, 0.10953262, 0.08693120, 0.06722600, 0.05031820, 0.03607231, 0.02432151, 0.01487334, 0.00752000, 0.00000000]; struct FuncDef { immutable(double)* table; int oversample; } static immutable FuncDef Kaiser12 = FuncDef(kaiser12Table.ptr, 64); static immutable FuncDef Kaiser10 = FuncDef(kaiser10Table.ptr, 32); static immutable FuncDef Kaiser8 = FuncDef(kaiser8Table.ptr, 32); static immutable FuncDef Kaiser6 = FuncDef(kaiser6Table.ptr, 32); struct QualityMapping { int baseLength; int oversample; float downsampleBandwidth; float upsampleBandwidth; immutable FuncDef* windowFunc; } /* This table maps conversion quality to internal parameters. There are two reasons that explain why the up-sampling bandwidth is larger than the down-sampling bandwidth: 1) When up-sampling, we can assume that the spectrum is already attenuated close to the Nyquist rate (from an A/D or a previous resampling filter) 2) Any aliasing that occurs very close to the Nyquist rate will be masked by the sinusoids/noise just below the Nyquist rate (guaranteed only for up-sampling). */ static immutable QualityMapping[11] qualityMap = [ QualityMapping( 8, 4, 0.830f, 0.860f, &Kaiser6 ), /* Q0 */ QualityMapping( 16, 4, 0.850f, 0.880f, &Kaiser6 ), /* Q1 */ QualityMapping( 32, 4, 0.882f, 0.910f, &Kaiser6 ), /* Q2 */ /* 82.3% cutoff ( ~60 dB stop) 6 */ QualityMapping( 48, 8, 0.895f, 0.917f, &Kaiser8 ), /* Q3 */ /* 84.9% cutoff ( ~80 dB stop) 8 */ QualityMapping( 64, 8, 0.921f, 0.940f, &Kaiser8 ), /* Q4 */ /* 88.7% cutoff ( ~80 dB stop) 8 */ QualityMapping( 80, 16, 0.922f, 0.940f, &Kaiser10), /* Q5 */ /* 89.1% cutoff (~100 dB stop) 10 */ QualityMapping( 96, 16, 0.940f, 0.945f, &Kaiser10), /* Q6 */ /* 91.5% cutoff (~100 dB stop) 10 */ QualityMapping(128, 16, 0.950f, 0.950f, &Kaiser10), /* Q7 */ /* 93.1% cutoff (~100 dB stop) 10 */ QualityMapping(160, 16, 0.960f, 0.960f, &Kaiser10), /* Q8 */ /* 94.5% cutoff (~100 dB stop) 10 */ QualityMapping(192, 32, 0.968f, 0.968f, &Kaiser12), /* Q9 */ /* 95.5% cutoff (~100 dB stop) 10 */ QualityMapping(256, 32, 0.975f, 0.975f, &Kaiser12), /* Q10 */ /* 96.6% cutoff (~100 dB stop) 10 */ ]; nothrow @trusted @nogc: /*8, 24, 40, 56, 80, 104, 128, 160, 200, 256, 320*/ double computeFunc (float x, immutable FuncDef* func) { version(Posix) import core.stdc.math : lrintf; import std.math : floor; //double[4] interp; float y = x*func.oversample; version(Posix) { int ind = cast(int)lrintf(floor(y)); } else { int ind = cast(int)(floor(y)); } float frac = (y-ind); immutable f2 = frac*frac; immutable f3 = f2*frac; double interp3 = -0.1666666667*frac+0.1666666667*(f3); double interp2 = frac+0.5*(f2)-0.5*(f3); //double interp2 = 1.0f-0.5f*frac-f2+0.5f*f3; double interp0 = -0.3333333333*frac+0.5*(f2)-0.1666666667*(f3); // just to make sure we don't have rounding problems double interp1 = 1.0f-interp3-interp2-interp0; //sum = frac*accum[1]+(1-frac)*accum[2]; return interp0*func.table[ind]+interp1*func.table[ind+1]+interp2*func.table[ind+2]+interp3*func.table[ind+3]; } // the slow way of computing a sinc for the table; should improve that some day float sinc (float cutoff, float x, int N, immutable FuncDef *windowFunc) { version(LittleEndian) { align(1) union temp_float { align(1): float f; uint n; } } else { static T fabs(T) (T n) pure { static if (__VERSION__ > 2067) pragma(inline, true); return (n < 0 ? -n : n); } } import std.math : sin, PI; version(LittleEndian) { temp_float txx = void; txx.f = x; txx.n &= 0x7fff_ffff; // abs if (txx.f < 1.0e-6f) return cutoff; if (txx.f > 0.5f*N) return 0; } else { if (fabs(x) < 1.0e-6f) return cutoff; if (fabs(x) > 0.5f*N) return 0; } //FIXME: can it really be any slower than this? immutable float xx = x*cutoff; immutable pixx = PI*xx; version(LittleEndian) { return cutoff*sin(pixx)/pixx*computeFunc(2.0*txx.f/N, windowFunc); } else { return cutoff*sin(pixx)/pixx*computeFunc(fabs(2.0*x/N), windowFunc); } } void cubicCoef (in float frac, float* interp) { immutable f2 = frac*frac; immutable f3 = f2*frac; // compute interpolation coefficients; i'm not sure whether this corresponds to cubic interpolation but I know it's MMSE-optimal on a sinc interp[0] = -0.16667f*frac+0.16667f*f3; interp[1] = frac+0.5f*f2-0.5f*f3; //interp[2] = 1.0f-0.5f*frac-f2+0.5f*f3; interp[3] = -0.33333f*frac+0.5f*f2-0.16667f*f3; // just to make sure we don't have rounding problems interp[2] = 1.0-interp[0]-interp[1]-interp[3]; } // ////////////////////////////////////////////////////////////////////////// // int resamplerBasicDirect(T) (ref SpeexResampler st, uint chanIdx, const(float)* indata, uint* indataLen, float* outdata, uint* outdataLen) if (is(T == float) || is(T == double)) { auto N = st.filterLen; static if (is(T == double)) assert(N%4 == 0); int outSample = 0; int lastSample = st.lastSample.ptr[chanIdx]; uint sampFracNum = st.sampFracNum.ptr[chanIdx]; const(float)* sincTable = st.sincTable; immutable outStride = st.outStride; immutable intAdvance = st.intAdvance; immutable fracAdvance = st.fracAdvance; immutable denRate = st.denRate; T sum = void; while (!(lastSample >= cast(int)(*indataLen) || outSample >= cast(int)(*outdataLen))) { const(float)* sinct = &sincTable[sampFracNum*N]; const(float)* iptr = &indata[lastSample]; static if (is(T == float)) { // at least 2x speedup with SSE here (but for unrolled loop) if (N%4 == 0) { version(sincresample_use_sse) { //align(64) __gshared float[4] zero = 0; align(64) __gshared float[4+128] zeroesBuf = 0; // dmd cannot into such aligns, alas __gshared uint zeroesptr = 0; if (zeroesptr == 0) { zeroesptr = cast(uint)zeroesBuf.ptr; if (zeroesptr&0x3f) zeroesptr = (zeroesptr|0x3f)+1; } //assert((zeroesptr&0x3f) == 0, "wtf?!"); asm nothrow @safe @nogc { mov ECX,[N]; shr ECX,2; mov EAX,[zeroesptr]; movaps XMM0,[EAX]; mov EAX,[sinct]; mov EBX,[iptr]; mov EDX,16; align 8; rbdseeloop: movups XMM1,[EAX]; movups XMM2,[EBX]; mulps XMM1,XMM2; addps XMM0,XMM1; add EAX,EDX; add EBX,EDX; dec ECX; jnz rbdseeloop; // store result in sum movhlps XMM1,XMM0; // now low part of XMM1 contains high part of XMM0 addps XMM0,XMM1; // low part of XMM0 is ok movaps XMM1,XMM0; shufps XMM1,XMM0,0b_01_01_01_01; // 2nd float of XMM0 goes to the 1st float of XMM1 addss XMM0,XMM1; movss [sum],XMM0; } /* float sum1 = 0; foreach (immutable j; 0..N) sum1 += sinct[j]*iptr[j]; import std.math; if (fabs(sum-sum1) > 0.000001f) { import core.stdc.stdio; printf("sum=%f; sum1=%f\n", sum, sum1); assert(0); } */ } else { // no SSE; for my i3 unrolled loop is almost of the speed of SSE code T[4] accum = 0; foreach (immutable j; 0..N/4) { accum.ptr[0] += *sinct++ * *iptr++; accum.ptr[1] += *sinct++ * *iptr++; accum.ptr[2] += *sinct++ * *iptr++; accum.ptr[3] += *sinct++ * *iptr++; } sum = accum.ptr[0]+accum.ptr[1]+accum.ptr[2]+accum.ptr[3]; } } else { sum = 0; foreach (immutable j; 0..N) sum += *sinct++ * *iptr++; } outdata[outStride*outSample++] = sum; } else { if (N%4 == 0) { //TODO: write SSE code here! // for my i3 unrolled loop is ~2 times faster T[4] accum = 0; foreach (immutable j; 0..N/4) { accum.ptr[0] += cast(double)*sinct++ * cast(double)*iptr++; accum.ptr[1] += cast(double)*sinct++ * cast(double)*iptr++; accum.ptr[2] += cast(double)*sinct++ * cast(double)*iptr++; accum.ptr[3] += cast(double)*sinct++ * cast(double)*iptr++; } sum = accum.ptr[0]+accum.ptr[1]+accum.ptr[2]+accum.ptr[3]; } else { sum = 0; foreach (immutable j; 0..N) sum += cast(double)*sinct++ * cast(double)*iptr++; } outdata[outStride*outSample++] = cast(float)sum; } lastSample += intAdvance; sampFracNum += fracAdvance; if (sampFracNum >= denRate) { sampFracNum -= denRate; ++lastSample; } } st.lastSample.ptr[chanIdx] = lastSample; st.sampFracNum.ptr[chanIdx] = sampFracNum; return outSample; } int resamplerBasicInterpolate(T) (ref SpeexResampler st, uint chanIdx, const(float)* indata, uint *indataLen, float *outdata, uint *outdataLen) if (is(T == float) || is(T == double)) { immutable N = st.filterLen; assert(N%4 == 0); int outSample = 0; int lastSample = st.lastSample.ptr[chanIdx]; uint sampFracNum = st.sampFracNum.ptr[chanIdx]; immutable outStride = st.outStride; immutable intAdvance = st.intAdvance; immutable fracAdvance = st.fracAdvance; immutable denRate = st.denRate; float sum; float[4] interp = void; T[4] accum = void; while (!(lastSample >= cast(int)(*indataLen) || outSample >= cast(int)(*outdataLen))) { const(float)* iptr = &indata[lastSample]; const int offset = sampFracNum*st.oversample/st.denRate; const float frac = (cast(float)((sampFracNum*st.oversample)%st.denRate))/st.denRate; accum[] = 0; //TODO: optimize! foreach (immutable j; 0..N) { immutable T currIn = iptr[j]; accum.ptr[0] += currIn*(st.sincTable[4+(j+1)*st.oversample-offset-2]); accum.ptr[1] += currIn*(st.sincTable[4+(j+1)*st.oversample-offset-1]); accum.ptr[2] += currIn*(st.sincTable[4+(j+1)*st.oversample-offset]); accum.ptr[3] += currIn*(st.sincTable[4+(j+1)*st.oversample-offset+1]); } cubicCoef(frac, interp.ptr); sum = (interp.ptr[0]*accum.ptr[0])+(interp.ptr[1]*accum.ptr[1])+(interp.ptr[2]*accum.ptr[2])+(interp.ptr[3]*accum.ptr[3]); outdata[outStride*outSample++] = sum; lastSample += intAdvance; sampFracNum += fracAdvance; if (sampFracNum >= denRate) { sampFracNum -= denRate; ++lastSample; } } st.lastSample.ptr[chanIdx] = lastSample; st.sampFracNum.ptr[chanIdx] = sampFracNum; return outSample; } // ////////////////////////////////////////////////////////////////////////// // uint gcd (uint a, uint b) pure { if (a == 0) return b; if (b == 0) return a; for (;;) { if (a > b) { a %= b; if (a == 0) return b; if (a == 1) return 1; } else { b %= a; if (b == 0) return a; if (b == 1) return 1; } } } // ////////////////////////////////////////////////////////////////////////// // // very simple and cheap cubic upsampler struct CubicUpsampler { public: nothrow @trusted @nogc: float[2] curposfrac; // current position offset [0..1) float step; // how long we should move on one step? float[4][2] data; // -1..3 uint[2] drain; void reset () { curposfrac[] = 0.0f; foreach (ref d; data) d[] = 0.0f; drain[] = 0; } bool setup (float astep) { if (astep >= 1.0f) return false; step = astep; return true; } /* static struct Data { const(float)[] dataIn; float[] dataOut; uint inputSamplesUsed; // out value, in samples (i.e. multiplied by channel count) uint outputSamplesUsed; // out value, in samples (i.e. multiplied by channel count) } */ SpeexResampler.Error process (ref SpeexResampler.Data d) { d.inputSamplesUsed = d.outputSamplesUsed = 0; if (d.dataOut.length < 2) return SpeexResampler.Error.OK; foreach (uint cidx; 0..2) { uint inleft = cast(uint)d.dataIn.length/2; uint outleft = cast(uint)d.dataOut.length/2; processChannel(inleft, outleft, (d.dataIn.length ? d.dataIn.ptr+cidx : null), (d.dataOut.length ? d.dataOut.ptr+cidx : null), cidx); d.outputSamplesUsed += cast(uint)(d.dataOut.length/2)-outleft; d.inputSamplesUsed += cast(uint)(d.dataIn.length/2)-inleft; } return SpeexResampler.Error.OK; } private void processChannel (ref uint inleft, ref uint outleft, const(float)* dataIn, float* dataOut, uint cidx) { if (outleft == 0) return; if (inleft == 0 && drain.ptr[cidx] <= 1) return; auto dt = data.ptr[cidx].ptr; auto drn = drain.ptr+cidx; auto cpf = curposfrac.ptr+cidx; immutable float st = step; for (;;) { // fill buffer while ((*drn) < 4) { if (inleft == 0) return; dt[(*drn)++] = *dataIn; dataIn += 2; --inleft; } if (outleft == 0) return; --outleft; // cubic interpolation /*version(none)*/ { // interpolate between y1 and y2 immutable float mu = (*cpf); // how far we are moved from y1 to y2 immutable float mu2 = mu*mu; // wow immutable float y0 = dt[0], y1 = dt[1], y2 = dt[2], y3 = dt[3]; version(complex_cubic) { immutable float z0 = 0.5*y3; immutable float z1 = 0.5*y0; immutable float a0 = 1.5*y1-z1-1.5*y2+z0; immutable float a1 = y0-2.5*y1+2*y2-z0; immutable float a2 = 0.5*y2-z1; } else { immutable float a0 = y3-y2-y0+y1; immutable float a1 = y0-y1-a0; immutable float a2 = y2-y0; } *dataOut = a0*mu*mu2+a1*mu2+a2*mu+y1; }// else *dataOut = dt[1]; dataOut += 2; if (((*cpf) += st) >= 1.0f) { (*cpf) -= 1.0f; dt[0] = dt[1]; dt[1] = dt[2]; dt[2] = dt[3]; dt[3] = 0.0f; --(*drn); // will request more input bytes } } } } } version(with_resampler) abstract class ResamplingContext { int inputSampleRate; int outputSampleRate; int inputChannels; int outputChannels; SpeexResampler resamplerLeft; SpeexResampler resamplerRight; SpeexResampler.Data resamplerDataLeft; SpeexResampler.Data resamplerDataRight; float[][2] buffersIn; float[][2] buffersOut; uint rateNum; uint rateDem; float[][2] dataReady; SampleControlFlags scflags; this(SampleControlFlags scflags, int inputSampleRate, int outputSampleRate, int inputChannels, int outputChannels) { this.scflags = scflags; this.inputSampleRate = inputSampleRate; this.outputSampleRate = outputSampleRate; this.inputChannels = inputChannels; this.outputChannels = outputChannels; if(auto err = resamplerLeft.setup(1, inputSampleRate, outputSampleRate, 5)) throw new Exception("ugh"); resamplerRight.setup(1, inputSampleRate, outputSampleRate, 5); resamplerLeft.getRatio(rateNum, rateDem); int add = (rateNum % rateDem) ? 1 : 0; buffersIn[0] = new float[](BUFFER_SIZE_FRAMES * rateNum / rateDem + add); buffersOut[0] = new float[](BUFFER_SIZE_FRAMES); if(inputChannels > 1) { buffersIn[1] = new float[](BUFFER_SIZE_FRAMES * rateNum / rateDem + add); buffersOut[1] = new float[](BUFFER_SIZE_FRAMES); } } /+ float*[2] tmp; tmp[0] = buffersIn[0].ptr; tmp[1] = buffersIn[1].ptr; auto actuallyGot = v.getSamplesFloat(v.chans, tmp.ptr, cast(int) buffersIn[0].length); resamplerDataLeft.dataIn should be a slice of buffersIn[0] that is filled up ditto for resamplerDataRight if the source has two channels +/ abstract void loadMoreSamples(); bool loadMore() { resamplerDataLeft.dataIn = buffersIn[0]; resamplerDataLeft.dataOut = buffersOut[0]; resamplerDataRight.dataIn = buffersIn[1]; resamplerDataRight.dataOut = buffersOut[1]; loadMoreSamples(); //resamplerLeft.reset(); if(auto err = resamplerLeft.process(resamplerDataLeft)) throw new Exception("ugh"); if(inputChannels > 1) //resamplerRight.reset(); resamplerRight.process(resamplerDataRight); resamplerDataLeft.dataOut = resamplerDataLeft.dataOut[0 .. resamplerDataLeft.outputSamplesUsed]; resamplerDataRight.dataOut = resamplerDataRight.dataOut[0 .. resamplerDataRight.outputSamplesUsed]; if(resamplerDataLeft.dataOut.length == 0) { return true; } return false; } bool fillBuffer(short[] buffer) { if(cast(int) buffer.length != buffer.length) throw new Exception("eeeek"); if(scflags.paused) { buffer[] = 0; return true; } if(outputChannels == 1) { foreach(ref s; buffer) { if(resamplerDataLeft.dataOut.length == 0) { if(loadMore()) { scflags.finished_ = true; return false; } } if(inputChannels == 1) { s = cast(short) (resamplerDataLeft.dataOut[0] * short.max); resamplerDataLeft.dataOut = resamplerDataLeft.dataOut[1 .. $]; } else { s = cast(short) ((resamplerDataLeft.dataOut[0] + resamplerDataRight.dataOut[0]) * short.max / 2); resamplerDataLeft.dataOut = resamplerDataLeft.dataOut[1 .. $]; resamplerDataRight.dataOut = resamplerDataRight.dataOut[1 .. $]; } } scflags.currentPosition += cast(float) buffer.length / outputSampleRate / outputChannels; } else if(outputChannels == 2) { foreach(idx, ref s; buffer) { if(resamplerDataLeft.dataOut.length == 0) { if(loadMore()) { scflags.finished_ = true; return false; } } if(inputChannels == 1) { s = cast(short) (resamplerDataLeft.dataOut[0] * short.max); if(idx & 1) resamplerDataLeft.dataOut = resamplerDataLeft.dataOut[1 .. $]; } else { if(idx & 1) { s = cast(short) (resamplerDataRight.dataOut[0] * short.max); resamplerDataRight.dataOut = resamplerDataRight.dataOut[1 .. $]; } else { s = cast(short) (resamplerDataLeft.dataOut[0] * short.max); resamplerDataLeft.dataOut = resamplerDataLeft.dataOut[1 .. $]; } } } scflags.currentPosition += cast(float) buffer.length / outputSampleRate / outputChannels; } else assert(0); if(scflags.stopped) scflags.finished_ = true; return !scflags.stopped; } } private enum scriptable = "arsd_jsvar_compatible";
D
module gfm.opengl.shader; import std.string; import std.conv; import derelict.opengl3.gl3; import gfm.common.log; import gfm.opengl.opengl; import gfm.opengl.exception; final class GLShader { public { this(OpenGL gl, GLenum shaderType) { _gl = gl; _shader = glCreateShader(shaderType); if (_shader == 0) throw new OpenGLException("glCreateShader failed"); _initialized = true; } // one step load/compile this(OpenGL gl, GLenum shaderType, string[] lines...) { this(gl, shaderType); load(lines); compile(); } ~this() { close(); } void close() { if (_initialized) { glDeleteShader(_shader); _initialized = false; } } void load(string[] lines...) { size_t lineCount = lines.length; auto lengths = new GLint[lineCount]; auto addresses = new immutable(GLchar)*[lineCount]; auto localLines = new string[lineCount]; for (size_t i = 0; i < lineCount; ++i) { localLines[i] = lines[i]; if (localLines[i] is null) localLines[i] = ""; lengths[i] = localLines[i].length; addresses[i] = localLines[i].ptr; } glShaderSource(_shader, cast(GLint)lineCount, cast(const(char)**)addresses.ptr, cast(const(int)*)(lengths.ptr)); _gl.runtimeCheck(); } void compile() { glCompileShader(_shader); _gl.runtimeCheck(); // print info log _gl._log.info(getInfoLog()); GLint compiled; glGetShaderiv(_shader, GL_COMPILE_STATUS, &compiled); if (compiled != GL_TRUE) throw new OpenGLException("shader did not compile"); } string getInfoLog() { GLint logLength; glGetShaderiv(_shader, GL_INFO_LOG_LENGTH, &logLength); char[] log = new char[logLength + 1]; GLint dummy; glGetShaderInfoLog(_shader, logLength, &dummy, log.ptr); _gl.runtimeCheck(); return to!string(log.ptr); } } package { GLuint _shader; } private { OpenGL _gl; bool _initialized; } }
D
/* Copyright (c) 2017-2018 Timur Gafarov Boost Software License - Version 1.0 - August 17th, 2003 Permission is hereby granted, free of charge, to any person or organization obtaining a copy of the software and accompanying documentation covered by this license (the "Software") to use, reproduce, display, distribute, execute, and transmit the Software, and to prepare derivative works of the Software, and to permit third-parties to whom the Software is furnished to do so, all subject to the following: The copyright notices in the Software and this entire statement, including the above license grant, this restriction and the following disclaimer, must be included in all copies of the Software, in whole or in part, and all derivative works of the Software, unless such copies or derivative works are solely in the form of machine-executable object code generated by a source language processor. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ module dagon.graphics.filters.blur; import derelict.opengl; import dlib.math.vector; import dagon.core.ownership; import dagon.graphics.postproc; import dagon.graphics.framebuffer; import dagon.graphics.rc; /* * Gaussian blur implementation is based on code by Matt DesLauriers: * https://github.com/Jam3/glsl-fast-gaussian-blur */ class PostFilterBlur: PostFilter { private string vs = q{ #version 330 core uniform mat4 modelViewMatrix; uniform mat4 projectionMatrix; uniform vec2 viewSize; layout (location = 0) in vec2 va_Vertex; layout (location = 1) in vec2 va_Texcoord; out vec2 texCoord; void main() { texCoord = va_Texcoord; gl_Position = projectionMatrix * modelViewMatrix * vec4(va_Vertex * viewSize, 0.0, 1.0); } }; private string fs = q{ #version 330 core uniform bool enabled; uniform sampler2D fbColor; uniform vec2 viewSize; uniform vec2 direction; in vec2 texCoord; out vec4 frag_color; vec4 blur9(sampler2D image, vec2 uv, vec2 resolution, vec2 direction) { vec4 color = vec4(0.0); vec2 off1 = vec2(1.3846153846) * direction; vec2 off2 = vec2(3.2307692308) * direction; color += texture(image, uv) * 0.2270270270; color += texture(image, uv + (off1 / resolution)) * 0.3162162162; color += texture(image, uv - (off1 / resolution)) * 0.3162162162; color += texture(image, uv + (off2 / resolution)) * 0.0702702703; color += texture(image, uv - (off2 / resolution)) * 0.0702702703; return color; } const float weight[5] = float[](0.227027, 0.1945946, 0.1216216, 0.054054, 0.016216); void main() { vec2 fragCoord = gl_FragCoord.xy; vec2 invScreenSize = 1.0 / viewSize; vec3 color; if (enabled) { color = blur9(fbColor, texCoord, viewSize, direction).rgb; } else { color = vec3(0.0, 0.0, 0.0); } color = clamp(color, vec3(0.0), vec3(1.0)); frag_color = vec4(color, 1.0); } }; override string vertexShader() { return vs; } override string fragmentShader() { return fs; } GLint directionLoc; Vector2f direction; float radius = 1.0f; this(bool horizontal, Framebuffer inputBuffer, Framebuffer outputBuffer, Owner o) { super(inputBuffer, outputBuffer, o); directionLoc = glGetUniformLocation(shaderProgram, "direction"); if (horizontal) direction = Vector2f(1.0f, 0.0f); else direction = Vector2f(0.0f, 1.0f); } override void bind(RenderingContext* rc) { super.bind(rc); Vector2f dirScaled = direction * radius; glUniform2fv(directionLoc, 1, dirScaled.arrayof.ptr); } }
D
/Users/mgualino/Desktop/Development/StadiumShow/Build/Intermediates/StadiumShow.build/Debug-iphonesimulator/StadiumShow.build/Objects-normal/x86_64/MainViewController.o : /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/MainViewController.swift /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/ShowColorsViewController.swift /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/FlashlightTableViewCell.swift /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/AppDelegate.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow-Bridging-Header.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/Popover/WEPopoverController.h /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/Popover/WEPopoverContainerView.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/Popover/WETouchableView.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/ColorViewController.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/GzColors.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/ColorButton.h /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule ./GoogleMobileAds.framework/Headers/GADRewardBasedVideoAdDelegate.h ./GoogleMobileAds.framework/Headers/GADRewardBasedVideoAd.h ./GoogleMobileAds.framework/Headers/GADAdReward.h ./GoogleMobileAds.framework/Headers/GADSearchRequest.h ./GoogleMobileAds.framework/Headers/GADSearchBannerView.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeContentAd.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAppInstallAd.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAdNotificationSource.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAdDelegate.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAd.h ./GoogleMobileAds.framework/Headers/GADCustomEventNativeAdDelegate.h ./GoogleMobileAds.framework/Headers/GADCustomEventNativeAd.h ./GoogleMobileAds.framework/Headers/GADCustomEventInterstitialDelegate.h ./GoogleMobileAds.framework/Headers/GADCustomEventInterstitial.h ./GoogleMobileAds.framework/Headers/GADCustomEventExtras.h ./GoogleMobileAds.framework/Headers/GADCustomEventRequest.h ./GoogleMobileAds.framework/Headers/GADCustomEventBannerDelegate.h ./GoogleMobileAds.framework/Headers/GADCustomEventBanner.h ./GoogleMobileAds.framework/Headers/GADNativeAdImageAdLoaderOptions.h ./GoogleMobileAds.framework/Headers/GADNativeCustomTemplateAd.h ./GoogleMobileAds.framework/Headers/GADNativeContentAd.h ./GoogleMobileAds.framework/Headers/GADNativeAppInstallAd.h ./GoogleMobileAds.framework/Headers/GADNativeAdImage+Mediation.h ./GoogleMobileAds.framework/Headers/GADNativeAdImage.h ./GoogleMobileAds.framework/Headers/GADNativeAdDelegate.h ./GoogleMobileAds.framework/Headers/GADNativeAd.h ./GoogleMobileAds.framework/Headers/GADAdLoaderAdTypes.h ./GoogleMobileAds.framework/Headers/GADAppEventDelegate.h ./GoogleMobileAds.framework/Headers/GADAdSizeDelegate.h ./GoogleMobileAds.framework/Headers/DFPRequest.h ./GoogleMobileAds.framework/Headers/DFPInterstitial.h ./GoogleMobileAds.framework/Headers/DFPCustomRenderedInterstitialDelegate.h ./GoogleMobileAds.framework/Headers/DFPCustomRenderedBannerViewDelegate.h ./GoogleMobileAds.framework/Headers/DFPCustomRenderedAd.h ./GoogleMobileAds.framework/Headers/DFPBannerView.h ./GoogleMobileAds.framework/Headers/GADMobileAds.h ./GoogleMobileAds.framework/Headers/GADInterstitialDelegate.h ./GoogleMobileAds.framework/Headers/GADInterstitial.h ./GoogleMobileAds.framework/Headers/GADInAppPurchase.h ./GoogleMobileAds.framework/Headers/GADExtras.h ./GoogleMobileAds.framework/Headers/GADAdLoaderDelegate.h ./GoogleMobileAds.framework/Headers/GADAdLoader.h ./GoogleMobileAds.framework/Headers/GADCorrelatorAdLoaderOptions.h ./GoogleMobileAds.framework/Headers/GADCorrelator.h ./GoogleMobileAds.framework/Headers/GADRequestError.h ./GoogleMobileAds.framework/Headers/GADRequest.h ./GoogleMobileAds.framework/Headers/GADInAppPurchaseDelegate.h ./GoogleMobileAds.framework/Headers/GADBannerViewDelegate.h ./GoogleMobileAds.framework/Headers/GADBannerView.h ./GoogleMobileAds.framework/Headers/GADAdSize.h ./GoogleMobileAds.framework/Headers/GADAdNetworkExtras.h ./GoogleMobileAds.framework/Headers/GoogleMobileAdsDefines.h ./GoogleMobileAds.framework/Headers/GoogleMobileAds.h ./GoogleMobileAds.framework/Modules/module.modulemap /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Users/mgualino/Desktop/Development/StadiumShow/Build/Intermediates/StadiumShow.build/Debug-iphonesimulator/StadiumShow.build/Objects-normal/x86_64/MainViewController~partial.swiftmodule : /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/MainViewController.swift /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/ShowColorsViewController.swift /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/FlashlightTableViewCell.swift /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/AppDelegate.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow-Bridging-Header.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/Popover/WEPopoverController.h /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/Popover/WEPopoverContainerView.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/Popover/WETouchableView.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/ColorViewController.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/GzColors.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/ColorButton.h /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule ./GoogleMobileAds.framework/Headers/GADRewardBasedVideoAdDelegate.h ./GoogleMobileAds.framework/Headers/GADRewardBasedVideoAd.h ./GoogleMobileAds.framework/Headers/GADAdReward.h ./GoogleMobileAds.framework/Headers/GADSearchRequest.h ./GoogleMobileAds.framework/Headers/GADSearchBannerView.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeContentAd.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAppInstallAd.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAdNotificationSource.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAdDelegate.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAd.h ./GoogleMobileAds.framework/Headers/GADCustomEventNativeAdDelegate.h ./GoogleMobileAds.framework/Headers/GADCustomEventNativeAd.h ./GoogleMobileAds.framework/Headers/GADCustomEventInterstitialDelegate.h ./GoogleMobileAds.framework/Headers/GADCustomEventInterstitial.h ./GoogleMobileAds.framework/Headers/GADCustomEventExtras.h ./GoogleMobileAds.framework/Headers/GADCustomEventRequest.h ./GoogleMobileAds.framework/Headers/GADCustomEventBannerDelegate.h ./GoogleMobileAds.framework/Headers/GADCustomEventBanner.h ./GoogleMobileAds.framework/Headers/GADNativeAdImageAdLoaderOptions.h ./GoogleMobileAds.framework/Headers/GADNativeCustomTemplateAd.h ./GoogleMobileAds.framework/Headers/GADNativeContentAd.h ./GoogleMobileAds.framework/Headers/GADNativeAppInstallAd.h ./GoogleMobileAds.framework/Headers/GADNativeAdImage+Mediation.h ./GoogleMobileAds.framework/Headers/GADNativeAdImage.h ./GoogleMobileAds.framework/Headers/GADNativeAdDelegate.h ./GoogleMobileAds.framework/Headers/GADNativeAd.h ./GoogleMobileAds.framework/Headers/GADAdLoaderAdTypes.h ./GoogleMobileAds.framework/Headers/GADAppEventDelegate.h ./GoogleMobileAds.framework/Headers/GADAdSizeDelegate.h ./GoogleMobileAds.framework/Headers/DFPRequest.h ./GoogleMobileAds.framework/Headers/DFPInterstitial.h ./GoogleMobileAds.framework/Headers/DFPCustomRenderedInterstitialDelegate.h ./GoogleMobileAds.framework/Headers/DFPCustomRenderedBannerViewDelegate.h ./GoogleMobileAds.framework/Headers/DFPCustomRenderedAd.h ./GoogleMobileAds.framework/Headers/DFPBannerView.h ./GoogleMobileAds.framework/Headers/GADMobileAds.h ./GoogleMobileAds.framework/Headers/GADInterstitialDelegate.h ./GoogleMobileAds.framework/Headers/GADInterstitial.h ./GoogleMobileAds.framework/Headers/GADInAppPurchase.h ./GoogleMobileAds.framework/Headers/GADExtras.h ./GoogleMobileAds.framework/Headers/GADAdLoaderDelegate.h ./GoogleMobileAds.framework/Headers/GADAdLoader.h ./GoogleMobileAds.framework/Headers/GADCorrelatorAdLoaderOptions.h ./GoogleMobileAds.framework/Headers/GADCorrelator.h ./GoogleMobileAds.framework/Headers/GADRequestError.h ./GoogleMobileAds.framework/Headers/GADRequest.h ./GoogleMobileAds.framework/Headers/GADInAppPurchaseDelegate.h ./GoogleMobileAds.framework/Headers/GADBannerViewDelegate.h ./GoogleMobileAds.framework/Headers/GADBannerView.h ./GoogleMobileAds.framework/Headers/GADAdSize.h ./GoogleMobileAds.framework/Headers/GADAdNetworkExtras.h ./GoogleMobileAds.framework/Headers/GoogleMobileAdsDefines.h ./GoogleMobileAds.framework/Headers/GoogleMobileAds.h ./GoogleMobileAds.framework/Modules/module.modulemap /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Users/mgualino/Desktop/Development/StadiumShow/Build/Intermediates/StadiumShow.build/Debug-iphonesimulator/StadiumShow.build/Objects-normal/x86_64/MainViewController~partial.swiftdoc : /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/MainViewController.swift /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/ShowColorsViewController.swift /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/FlashlightTableViewCell.swift /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow/AppDelegate.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/mgualino/Desktop/Development/StadiumShow/StadiumShow-Bridging-Header.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/Popover/WEPopoverController.h /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/Popover/WEPopoverContainerView.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/Popover/WETouchableView.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/ColorViewController.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/GzColors.h /Users/mgualino/Desktop/Development/StadiumShow/./ColorPopover/ColorButton.h /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule ./GoogleMobileAds.framework/Headers/GADRewardBasedVideoAdDelegate.h ./GoogleMobileAds.framework/Headers/GADRewardBasedVideoAd.h ./GoogleMobileAds.framework/Headers/GADAdReward.h ./GoogleMobileAds.framework/Headers/GADSearchRequest.h ./GoogleMobileAds.framework/Headers/GADSearchBannerView.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeContentAd.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAppInstallAd.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAdNotificationSource.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAdDelegate.h ./GoogleMobileAds.framework/Headers/GADMediatedNativeAd.h ./GoogleMobileAds.framework/Headers/GADCustomEventNativeAdDelegate.h ./GoogleMobileAds.framework/Headers/GADCustomEventNativeAd.h ./GoogleMobileAds.framework/Headers/GADCustomEventInterstitialDelegate.h ./GoogleMobileAds.framework/Headers/GADCustomEventInterstitial.h ./GoogleMobileAds.framework/Headers/GADCustomEventExtras.h ./GoogleMobileAds.framework/Headers/GADCustomEventRequest.h ./GoogleMobileAds.framework/Headers/GADCustomEventBannerDelegate.h ./GoogleMobileAds.framework/Headers/GADCustomEventBanner.h ./GoogleMobileAds.framework/Headers/GADNativeAdImageAdLoaderOptions.h ./GoogleMobileAds.framework/Headers/GADNativeCustomTemplateAd.h ./GoogleMobileAds.framework/Headers/GADNativeContentAd.h ./GoogleMobileAds.framework/Headers/GADNativeAppInstallAd.h ./GoogleMobileAds.framework/Headers/GADNativeAdImage+Mediation.h ./GoogleMobileAds.framework/Headers/GADNativeAdImage.h ./GoogleMobileAds.framework/Headers/GADNativeAdDelegate.h ./GoogleMobileAds.framework/Headers/GADNativeAd.h ./GoogleMobileAds.framework/Headers/GADAdLoaderAdTypes.h ./GoogleMobileAds.framework/Headers/GADAppEventDelegate.h ./GoogleMobileAds.framework/Headers/GADAdSizeDelegate.h ./GoogleMobileAds.framework/Headers/DFPRequest.h ./GoogleMobileAds.framework/Headers/DFPInterstitial.h ./GoogleMobileAds.framework/Headers/DFPCustomRenderedInterstitialDelegate.h ./GoogleMobileAds.framework/Headers/DFPCustomRenderedBannerViewDelegate.h ./GoogleMobileAds.framework/Headers/DFPCustomRenderedAd.h ./GoogleMobileAds.framework/Headers/DFPBannerView.h ./GoogleMobileAds.framework/Headers/GADMobileAds.h ./GoogleMobileAds.framework/Headers/GADInterstitialDelegate.h ./GoogleMobileAds.framework/Headers/GADInterstitial.h ./GoogleMobileAds.framework/Headers/GADInAppPurchase.h ./GoogleMobileAds.framework/Headers/GADExtras.h ./GoogleMobileAds.framework/Headers/GADAdLoaderDelegate.h ./GoogleMobileAds.framework/Headers/GADAdLoader.h ./GoogleMobileAds.framework/Headers/GADCorrelatorAdLoaderOptions.h ./GoogleMobileAds.framework/Headers/GADCorrelator.h ./GoogleMobileAds.framework/Headers/GADRequestError.h ./GoogleMobileAds.framework/Headers/GADRequest.h ./GoogleMobileAds.framework/Headers/GADInAppPurchaseDelegate.h ./GoogleMobileAds.framework/Headers/GADBannerViewDelegate.h ./GoogleMobileAds.framework/Headers/GADBannerView.h ./GoogleMobileAds.framework/Headers/GADAdSize.h ./GoogleMobileAds.framework/Headers/GADAdNetworkExtras.h ./GoogleMobileAds.framework/Headers/GoogleMobileAdsDefines.h ./GoogleMobileAds.framework/Headers/GoogleMobileAds.h ./GoogleMobileAds.framework/Modules/module.modulemap /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule
D
instance DIA_Addon_BDT_10030_Buddler_EXIT(C_Info) { npc = BDT_10030_Addon_Buddler; nr = 999; condition = DIA_Addon_10030_Buddler_EXIT_Condition; information = DIA_Addon_10030_Buddler_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Addon_10030_Buddler_EXIT_Condition() { return TRUE; }; func void DIA_Addon_10030_Buddler_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_Addon_BDT_10030_Buddler_Hi(C_Info) { npc = BDT_10030_Addon_Buddler; nr = 2; condition = DIA_Addon_10030_Buddler_Hi_Condition; information = DIA_Addon_10030_Buddler_Hi_Info; permanent = TRUE; description = "С тобой все в порядке?"; }; func int DIA_Addon_10030_Buddler_Hi_Condition() { return TRUE; }; func void DIA_Addon_10030_Buddler_Hi_Info() { AI_Output(other,self,"DIA_Addon_BDT_10030_Buddler_Hi_15_00"); //С тобой все в порядке? if(Sklaven_Flucht == FALSE) { AI_Output(self,other,"DIA_Addon_BDT_10030_Buddler_Hi_08_01"); //Рабы убирают большие глыбы с дороги. AI_Output(self,other,"DIA_Addon_BDT_10030_Buddler_Hi_08_02"); //(усмехается) А после мы соберем золотые яблоки. } else { AI_Output(self,other,"DIA_Addon_BDT_10030_Buddler_Hi_08_03"); //Вот теперь мы получим сладкое золото. AI_StopProcessInfos(self); }; };
D
/Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/Objects-normal/x86_64/YAxis.o : /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedMoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/Animator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/AxisBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/AxisRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/BarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarLineChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarLineScatterCandleBubbleRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BubbleChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BubbleChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CandleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CandleStickChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CandleStickChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/ChartAnimationEasing.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/ChartBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartColorTemplates.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntryBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ChartDataRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/ChartHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ChartLimitLine.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartUtils.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronDownShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronUpShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CircleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CombinedChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CombinedChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CombinedChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CombinedChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/CombinedHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ComponentBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CrossShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Filters/DataApproximator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Description.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Fill.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Highlight.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/HorizontalBarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/HorizontalBarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/HorizontalBarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ICandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/IHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/IMarker.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IndexAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IPieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/IShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Legend.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/LegendEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LegendRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/LineChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/LineChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineScatterCandleRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerImage.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/MoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/PieChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieRadarChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieRadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Platform.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/RadarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/RadarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/RadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Range.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarLineScatterCandleBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmCandleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineScatterCandleRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmPieDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmScatterDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Renderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ScatterChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ScatterChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ScatterChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/SquareShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Transformer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/TransformerHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/TriangleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ViewPortHandler.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/XAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/XShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/YAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ZoomViewJob.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Target\ Support\ Files/Charts/Charts-umbrella.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMResults_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealm_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealmConfiguration_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMProperty_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMOptionalBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObject_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectStore.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMListBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMArray_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMAccessor.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMResults.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealmConfiguration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMConstants.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMProperty.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMPlatform.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObject.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMMigration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMCollection.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMArray.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/Realm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Realm.build/module.modulemap /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/Objects-normal/x86_64/YAxis~partial.swiftmodule : /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedMoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/Animator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/AxisBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/AxisRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/BarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarLineChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarLineScatterCandleBubbleRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BubbleChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BubbleChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CandleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CandleStickChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CandleStickChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/ChartAnimationEasing.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/ChartBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartColorTemplates.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntryBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ChartDataRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/ChartHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ChartLimitLine.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartUtils.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronDownShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronUpShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CircleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CombinedChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CombinedChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CombinedChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CombinedChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/CombinedHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ComponentBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CrossShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Filters/DataApproximator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Description.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Fill.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Highlight.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/HorizontalBarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/HorizontalBarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/HorizontalBarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ICandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/IHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/IMarker.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IndexAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IPieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/IShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Legend.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/LegendEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LegendRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/LineChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/LineChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineScatterCandleRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerImage.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/MoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/PieChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieRadarChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieRadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Platform.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/RadarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/RadarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/RadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Range.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarLineScatterCandleBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmCandleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineScatterCandleRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmPieDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmScatterDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Renderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ScatterChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ScatterChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ScatterChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/SquareShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Transformer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/TransformerHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/TriangleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ViewPortHandler.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/XAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/XShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/YAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ZoomViewJob.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Target\ Support\ Files/Charts/Charts-umbrella.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMResults_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealm_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealmConfiguration_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMProperty_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMOptionalBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObject_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectStore.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMListBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMArray_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMAccessor.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMResults.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealmConfiguration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMConstants.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMProperty.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMPlatform.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObject.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMMigration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMCollection.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMArray.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/Realm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Realm.build/module.modulemap /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/Objects-normal/x86_64/YAxis~partial.swiftdoc : /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedMoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/Animator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/AxisBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/AxisRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/BarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarLineChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarLineScatterCandleBubbleRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BubbleChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BubbleChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CandleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CandleStickChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CandleStickChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/ChartAnimationEasing.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/ChartBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartColorTemplates.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntryBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ChartDataRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/ChartHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ChartLimitLine.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartUtils.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronDownShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronUpShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CircleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CombinedChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CombinedChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CombinedChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CombinedChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/CombinedHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ComponentBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CrossShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Filters/DataApproximator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Description.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Fill.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Highlight.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/HorizontalBarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/HorizontalBarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/HorizontalBarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ICandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/IHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/IMarker.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IndexAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IPieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/IShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Legend.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/LegendEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LegendRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/LineChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/LineChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineScatterCandleRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerImage.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/MoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/PieChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieRadarChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieRadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Platform.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/RadarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/RadarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/RadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Range.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarLineScatterCandleBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmCandleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineScatterCandleRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmPieDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmScatterDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Renderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ScatterChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ScatterChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ScatterChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/SquareShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Transformer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/TransformerHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/TriangleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ViewPortHandler.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/XAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/XShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/YAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ZoomViewJob.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Target\ Support\ Files/Charts/Charts-umbrella.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMResults_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealm_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealmConfiguration_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMProperty_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMOptionalBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObject_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectStore.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMListBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMArray_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMAccessor.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMResults.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealmConfiguration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMConstants.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMProperty.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMPlatform.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObject.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMMigration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMCollection.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMArray.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/Realm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Realm.build/module.modulemap
D
lacking in physical beauty or proportion having a feeling of home plain and unpretentious without artificial refinement or elegance
D
/** Compatibility module for `vibe.stream.tls`. Copyright: © 2015-2016 RejectedSoftware e.K. License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig */ deprecated("Import vibe.stream.tls instead.") module vibe.stream.ssl; public import vibe.stream.tls; /// Compatibility alias for `createTLSContext` deprecated("Use createTLSContext instead.") alias createSSLContext = createTLSContext; /// Compatibility alias for `createTLSStream` deprecated("Use createTLSStream instead.") alias createSSLStream = createTLSStream; /// Compatibility alias for `createTLSStreamFL` deprecated("Use createTLSStreamFL instead.") alias createSSLStreamFL = createTLSStreamFL; /// Compatibility alias for `setTLSContextFactory` deprecated("Use setTLSContextFactory instead.") alias setSSLContextFactory = setTLSContextFactory; /// Compatibility alias for `TLSStream` deprecated("Use TLSStream instead.") alias SSLStream = TLSStream; /// Compatibility alias for `TLSStreamState` deprecated("Use TLSStreamState instead.") alias SSLStreamState = TLSStreamState; /// Compatibility alias for `TLSContext` deprecated("Use TLSContext instead.") alias SSLContext = TLSContext; /// Compatibility alias for `TLSContextKind` deprecated("Use TLSContextKind instead.") alias SSLContextKind = TLSContextKind; /// Compatibility alias for `TLSVersion` deprecated("Use TLSVersion instead.") alias SSLVersion = TLSVersion; /// Compatibility alias for `TLSPeerValidationMode` deprecated("Use TLSPeerValidationMode instead.") alias SSLPeerValidationMode = TLSPeerValidationMode; /// Compatibility alias for `TLSCertificateInformation` deprecated("Use TLSCertificateInformation instead.") alias SSLCertificateInformation = TLSCertificateInformation; /// Compatibility alias for `TLSPeerValidationData` deprecated("Use TLSPeerValidationData instead.") alias SSLPeerValidationData = TLSPeerValidationData; /// Compatibility alias for `TLSPeerValidationCallback` deprecated("Use TLSPeerValidationCallback instead.") alias SSLPeerValidationCallback = TLSPeerValidationCallback; /// Compatibility alias for `TLSServerNameCallback` deprecated("Use TLSServerNameCallback instead.") alias SSLServerNameCallback = TLSServerNameCallback;
D
/Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.build/Objects-normal/x86_64/NVActivityIndicatorAnimationOrbit.o : /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulseSync.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScalePulseOutRapid.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallDoubleBounce.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScale.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScale.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleRippleMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotateMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleRipple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorShape.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallRotateChase.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulseRise.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallGridPulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotatePulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorAnimationDelegate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallRotate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallZigZag.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallTrianglePath.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBlank.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationPacman.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationCircleStrokeSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationSemiCircleSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationSquareSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationTriangleSkewSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationCubeTransition.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineSpinFadeLoader.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallSpinFadeLoader.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationAudioEqualizer.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallGridBeat.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallBeat.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallZigZagDeflect.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationOrbit.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScalePulseOut.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorView.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScaleParty.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/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/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/NVActivityIndicatorView/NVActivityIndicatorView-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.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/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/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/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.build/Objects-normal/x86_64/NVActivityIndicatorAnimationOrbit~partial.swiftmodule : /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulseSync.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScalePulseOutRapid.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallDoubleBounce.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScale.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScale.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleRippleMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotateMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleRipple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorShape.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallRotateChase.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulseRise.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallGridPulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotatePulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorAnimationDelegate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallRotate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallZigZag.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallTrianglePath.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBlank.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationPacman.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationCircleStrokeSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationSemiCircleSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationSquareSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationTriangleSkewSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationCubeTransition.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineSpinFadeLoader.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallSpinFadeLoader.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationAudioEqualizer.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallGridBeat.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallBeat.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallZigZagDeflect.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationOrbit.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScalePulseOut.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorView.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScaleParty.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/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/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/NVActivityIndicatorView/NVActivityIndicatorView-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.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/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/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/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.build/Objects-normal/x86_64/NVActivityIndicatorAnimationOrbit~partial.swiftdoc : /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulseSync.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScalePulseOutRapid.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallDoubleBounce.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScale.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScale.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleRippleMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotateMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleRipple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorShape.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallRotateChase.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulseRise.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallGridPulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotatePulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorAnimationDelegate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallRotate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallZigZag.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallTrianglePath.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBlank.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationPacman.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationCircleStrokeSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationSemiCircleSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationSquareSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationTriangleSkewSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationCubeTransition.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineSpinFadeLoader.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallSpinFadeLoader.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationAudioEqualizer.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallGridBeat.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallBeat.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallZigZagDeflect.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationOrbit.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScalePulseOut.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorView.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScaleParty.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/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/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/NVActivityIndicatorView/NVActivityIndicatorView-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.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/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/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/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.build/Objects-normal/x86_64/NVActivityIndicatorAnimationOrbit~partial.swiftsourceinfo : /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulseSync.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScalePulseOutRapid.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallDoubleBounce.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScale.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScale.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleRippleMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotateMultiple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallScaleRipple.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorShape.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallRotateChase.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulseRise.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallGridPulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotatePulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallPulse.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorAnimationDelegate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallRotate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallClipRotate.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallZigZag.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallTrianglePath.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBlank.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationPacman.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationCircleStrokeSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationSemiCircleSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationSquareSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationTriangleSkewSpin.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationCubeTransition.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineSpinFadeLoader.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallSpinFadeLoader.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationAudioEqualizer.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallGridBeat.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallBeat.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationBallZigZagDeflect.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationOrbit.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScalePulseOut.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/NVActivityIndicatorView.swift /Users/hanykaram/Desktop/MVP/Pods/NVActivityIndicatorView/Sources/Base/Animations/NVActivityIndicatorAnimationLineScaleParty.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/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/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/NVActivityIndicatorView/NVActivityIndicatorView-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.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/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/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
/** * This module declares intrinsics for volatile operations. * * Copyright: Copyright © 2019, The D Language Foundation * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Authors: Walter Bright, Ernesto Castellotti * Source: $(DRUNTIMESRC core/volatile.d) */ module core.volatile; /************************************* * Read/write value from/to the memory location indicated by ptr. * * These functions are recognized by the compiler, and calls to them are guaranteed * to not be removed (as dead assignment elimination or presumed to have no effect) * or reordered in the same thread. * * These reordering guarantees are only made with regards to other * operations done through these functions; the compiler is free to reorder regular * loads/stores with regards to loads/stores done through these functions. * * This is useful when dealing with memory-mapped I/O (MMIO) where a store can * have an effect other than just writing a value, or where sequential loads * with no intervening stores can retrieve * different values from the same location due to external stores to the location. * * These functions will, when possible, do the load/store as a single operation. In * general, this is possible when the size of the operation is less than or equal to * $(D (void*).sizeof), although some targets may support larger operations. If the * load/store cannot be done as a single operation, multiple smaller operations will be used. * * These are not to be conflated with atomic operations. They do not guarantee any * atomicity. This may be provided by coincidence as a result of the instructions * used on the target, but this should not be relied on for portable programs. * Further, no memory fences are implied by these functions. * They should not be used for communication between threads. * They may be used to guarantee a write or read cycle occurs at a specified address. */ ubyte volatileLoad(ubyte * ptr); ushort volatileLoad(ushort* ptr); /// ditto uint volatileLoad(uint * ptr); /// ditto ulong volatileLoad(ulong * ptr); /// ditto void volatileStore(ubyte * ptr, ubyte value); /// ditto void volatileStore(ushort* ptr, ushort value); /// ditto void volatileStore(uint * ptr, uint value); /// ditto void volatileStore(ulong * ptr, ulong value); /// ditto unittest { alias TT(T...) = T; foreach (T; TT!(ubyte, ushort, uint, ulong)) { T u; T* p = &u; volatileStore(p, 1); T r = volatileLoad(p); assert(r == u); } }
D
module lambada.task; import std.parallelism: PTask = Task; import lambada.io: IO; Task!T fromIO(T)(IO!T x) { import std.parallelism: task; return Task!T(task!((IO!T x) => x())(x)); } struct Task(T) { struct Meta { alias Constructor(U) = Task!U; alias Parameter = T; static Task!U of(U)(U x) { import std.parallelism: task; import lambada.combinators: identity; return Task!U(task!(identity!U)(x)); } alias fromIO = .fromIO; } T delegate() _; alias of = Meta.of; this(alias fun, Args...)(auto ref PTask!(fun, Args) t) { this._ = { import std.parallelism: taskPool; taskPool.put(t); return t.spinForce(); }; } this(alias fun, Args...)(PTask!(fun, Args)* t) { this._ = { import std.parallelism: taskPool; taskPool.put(t); return t.spinForce(); }; } T fork() { return _(); } alias opCall = fork; import std.traits: isCallable, arity; static if (isCallable!T && arity!T == 1) { import std.traits: Parameters, ReturnType; Task!(ReturnType!T) ap(Task!(Parameters!T[0]) x) { return this.chain!(f => x.map!f); } } template map(alias f) { import std.traits: ReturnType; import lambada.traits: toFunctionType; Task!(ReturnType!(toFunctionType!(f, T))) map() { import lambada.combinators: compose; return this.chain!(compose!(this.of, f)); } } template chain(alias f) { import std.traits: ReturnType; import lambada.traits: toFunctionType; alias Return = ReturnType!(toFunctionType!(f, T)); template Type(I : E!D, alias E, D) if (is(I == Task!D)) { alias Type = D; } alias G = Type!Return; static auto run(T delegate() x, Task!G delegate(T) fn) { return fn(x()).fork(); } Task!G chain() { import std.parallelism: task; Task!G delegate(T) fn = (T x) => f(x); return Task!G(task!run(this._, fn)); } } static if (is(T: Task!U, U)) { Task!U flatten() { import lambada.combinators: identity; return this.chain!identity; } } } alias TaskMeta = Task!(typeof(null)).Meta;
D
instance GRD_222_Gardist (Npc_Default) { //-------- primary data -------- name = NAME_Gardist; npctype = npctype_guard; guild = GIL_GRD; level = 15; voice = 13; id = 222; //-------- abilities -------- attribute[ATR_STRENGTH] = 70; attribute[ATR_DEXTERITY] = 50; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; attribute[ATR_HITPOINTS_MAX]= 220; attribute[ATR_HITPOINTS] = 220; //-------- visuals -------- // animations Mdl_SetVisual (self,"HUMANS.MDS"); Mdl_ApplyOverlayMds (self,"Humans_Militia.mds"); // body mesh ,bdytex,skin,head mesh ,headtex,teethtex,ruestung Mdl_SetVisualBody (self,"hum_body_Naked0",0,1,"Hum_Head_FatBald",17,4,GRD_ARMOR_M); B_Scale (self); Mdl_SetModelFatness(self,0); fight_tactic = FAI_HUMAN_RANGED; //-------- Talente -------- Npc_SetTalentSkill (self,NPC_TALENT_1H,1); Npc_SetTalentSkill (self,NPC_TALENT_2H,1); Npc_SetTalentSkill (self,NPC_TALENT_CROSSBOW,1); //-------- inventory -------- EquipItem (self,GRD_MW_02); EquipItem (self,ItRw_Crossbow_01); CreateInvItems (self,ItAmBolt,30); CreateInvItem (self,ItFoCheese); CreateInvItem (self,ItFoApple); CreateInvItems (self,ItMiNugget,10); CreateInvItem (self,ItLsTorch); //-------------Daily Routine------------- /*B_InitNPCAddins(self);*/ daily_routine = Rtn_start_222; }; FUNC VOID Rtn_start_222 () { TA_GuardPalisade(06,00,23,00,"OCC_BARONS_UPSTAIRS_PROMENADE_RIGHT_GUARD"); TA_GuardPalisade(23,00,06,00,"OCC_BARONS_UPSTAIRS_PROMENADE_RIGHT_GUARD"); }; FUNC VOID Rtn_OT_222 () { TA_Guard (07,00,20,00,"OCC_BARONS_DOOR"); TA_Guard (20,00,07,00,"OCC_BARONS_DOOR"); }; FUNC VOID Rtn_TRAP_222 () { TA_HostileGuard (06,00,21,00,"HIDDEOUT16"); TA_HostileGuard (21,00,06,00,"HIDDEOUT16"); };
D
# FIXED driverlib/interrupt.obj: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/driverlib/interrupt.c driverlib/interrupt.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.0.LTS/include/stdbool.h driverlib/interrupt.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.0.LTS/include/stdint.h driverlib/interrupt.obj: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/inc/hw_ints.h driverlib/interrupt.obj: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/inc/hw_nvic.h driverlib/interrupt.obj: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/inc/hw_types.h driverlib/interrupt.obj: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/driverlib/cpu.h driverlib/interrupt.obj: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/driverlib/debug.h driverlib/interrupt.obj: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/driverlib/interrupt.h C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/driverlib/interrupt.c: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.0.LTS/include/stdbool.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.0.LTS/include/stdint.h: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/inc/hw_ints.h: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/inc/hw_nvic.h: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/inc/hw_types.h: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/driverlib/cpu.h: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/driverlib/debug.h: C:/Users/Max/Desktop/TivaWare_C_Series-2.1.3.156/driverlib/interrupt.h:
D
/** Bijections between scalar types and integers. * * TOOD extract reinterpret!T(x) * * TODO: support `real`? */ module nxt.bijections; import std.meta : AliasSeq, staticIndexOf; import std.traits : Unqual, isUnsigned, isSigned, isIntegral, Unsigned; /** List of types that are bijectable to builtin integral types. */ alias IntegralBijectableTypes = AliasSeq!(bool, char, wchar, dchar, ubyte, ushort, uint, ulong, byte, short, int, long, float, double); enum isIntegralBijectableType(T) = staticIndexOf!(Unqual!T, IntegralBijectableTypes) >= 0; /// check that `bijectToUnsigned` preserves orderness, that is is a bijection @safe unittest { import std.random : Random, uniform; auto gen = Random(); enum maxCount = 1e4; import std.algorithm : min; static int cmp(T)(T x, T y) { return x < y ? -1 : x > y ? 1 : 0; } foreach (T; AliasSeq!(ubyte, ushort, uint, ulong, byte, short, int, long)) { foreach (i; 0 .. min(maxCount, T.max - T.min)) { const x = uniform(T.min, T.max, gen); const y = uniform(T.min, T.max, gen); const expected = cmp(x, y); const result = cmp(x.bijectToUnsigned, y.bijectToUnsigned); assert(result == expected); } } foreach (T; AliasSeq!(float, double)) { foreach (i; 0 .. maxCount) { const T x = uniform(-1e20, +1e20, gen); const T y = uniform(-1e20, +1e20, gen); // import nxt.dbgio; // dbg(x, ",", y); const expected = cmp(x, y); const result = cmp(x.bijectToUnsigned, y.bijectToUnsigned); assert(result == expected); } } } pragma(inline) @safe pure nothrow @nogc: /** Biject (shift) a signed `a` "up" to the corresponding unsigned type (for * instance before radix sorting an array of `a`). */ auto bijectToUnsigned(T)(T a) @trusted if (isIntegralBijectableType!T) { alias UT = Unqual!T; static if (is(UT == bool)) { return *(cast(ubyte*)&a); } // reinterpret else static if (is(UT == char)) { return *(cast(ubyte*)&a); } // reinterpret else static if (is(UT == wchar)) { return *(cast(ushort*)&a); } // reinterpret else static if (is(UT == dchar)) { return *(cast(uint*)&a); } // reinterpret else static if (isIntegral!UT) { static if (isSigned!UT) { alias UUT = Unsigned!UT; return cast(UUT)(a + (cast(UUT)1 << (8*UT.sizeof - 1))); // "add up"" } else static if (isUnsigned!UT) { return a; // identity } else { static assert(0, "Unsupported integral input type " ~ UT.stringof); } } else static if (is(UT == float)) { return ff(*cast(uint*)(&a)); } else static if (is(UT == double)) { return ff(*cast(ulong*)(&a)); } else static assert(0, "Unsupported input type " ~ UT.stringof); } /** Same as `bijectToUnsigned` with extra argument `descending` that reverses * order. */ auto bijectToUnsigned(T)(T a, bool descending) if (isIntegralBijectableType!T) { immutable ua = a.bijectToUnsigned; return descending ? ua.max-ua : ua; } /** Biject (Shift) an unsigned `a` "back down" to the corresponding signed type * (for instance after radix sorting an array of `a`). */ void bijectFromUnsigned(U)(U a, ref U b) if (isUnsigned!U) { b = a; /// Identity. } /// ditto void bijectFromUnsigned(U, V)(U a, ref V b) if (isUnsigned!U && isIntegral!V && isSigned!V && is(U == Unsigned!V)) { b = a - (cast(Unsigned!U)1 << (8*U.sizeof - 1)); // "add down"" } /// ditto @trusted void bijectFromUnsigned(ubyte a, ref bool b) { b = *cast(typeof(b)*)(&a); } /// ditto @trusted void bijectFromUnsigned(ubyte a, ref char b) { b = *cast(typeof(b)*)(&a); } /// ditto @trusted void bijectFromUnsigned(ushort a, ref wchar b) { b = *cast(typeof(b)*)(&a); } /// ditto @trusted void bijectFromUnsigned(ulong a, ref dchar b) { b = *cast(typeof(b)*)(&a); } /// ditto @trusted void bijectFromUnsigned(uint a, ref float b) { uint t = iff(a); b = *cast(float*)(&t); } /// ditto @trusted void bijectFromUnsigned(ulong a, ref double b) { ulong t = iff(a); b = *cast(double*)(&t); } /// check that `bijectToUnsigned` is the opposite of `bijectFromUnsigned` @safe pure nothrow @nogc unittest { foreach (T; AliasSeq!(ubyte, ushort, uint, ulong)) { static assert(is(typeof(T.init.bijectToUnsigned) == T)); } foreach (T; AliasSeq!(byte, short, int, long)) { static assert(is(typeof(T.init.bijectToUnsigned) == Unsigned!T)); } static assert(is(typeof(char.init.bijectToUnsigned) == ubyte)); static assert(is(typeof(wchar.init.bijectToUnsigned) == ushort)); static assert(is(typeof(dchar.init.bijectToUnsigned) == uint)); const n = 1_000_000; foreach (const i; 0 .. n) { foreach (T; AliasSeq!(bool, ubyte, ushort, uint, ulong, byte, short, int, long, char, wchar, dchar, float, double)) { const T x = cast(T)i; auto y = x.bijectToUnsigned; // pragma(msg, "T:", T); // pragma(msg, "typeof(x):", typeof(x)); // pragma(msg, "typeof(y):", typeof(y)); T z; y.bijectFromUnsigned(z); assert(x == z); } } } /** Map bits of floating point number \p a to unsigned integer that can be radix sorted. * * Also finds \em sign of \p a. * * - if it's 1 (negative float), it flips all bits. * - if it's 0 (positive float), it flips the sign only. */ uint ff(uint f) { return f ^ (-cast(uint) (f >> (8*f.sizeof-1)) | 0x80000000); } /// ditto ulong ff(ulong f) { return f ^ (-cast(ulong) (f >> (8*f.sizeof-1)) | 0x8000000000000000); } /** Map a floating point number \p a back from radix sorting * * (Inverse of \c radix_flip_float()). * * - if sign is 1 (negative), it flips the sign bit back * - if sign is 0 (positive), it flips all bits back */ uint iff(uint f) { return f ^ (((f >> (8*f.sizeof-1)) - 1) | 0x80000000); } /// ditto ulong iff(ulong f) { return f ^ (((f >> (8*f.sizeof-1)) - 1) | 0x8000000000000000); }
D
/*---------------------------------------------------------------------------*\ | ========= | | | \\ / F ield | OpenFOAM: The Open Source CFD Toolbox | | \\ / O peration | Version: 2.4.0 | | \\ / A nd | Web: www.OpenFOAM.org | | \\/ M anipulation | | \*---------------------------------------------------------------------------*/ Build : 2.4.0-f0842aea0e77 Exec : simpleFoam Date : Oct 09 2015 Time : 16:00:07 Host : "ubuntu" PID : 78656 Case : /home/brennanharris/OpenFOAM/brennanharris-2.4.0/run/team/case3/ad-simple nProcs : 1 sigFpe : Enabling floating point exception trapping (FOAM_SIGFPE). fileModificationChecking : Monitoring run-time modified files using timeStampMaster allowSystemOperations : Allowing user-supplied system call operations // * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * // Create time Create mesh for time = 0 Reading field p Reading field U Reading/calculating face flux field phi Selecting incompressible transport model Newtonian Selecting RAS turbulence model kEpsilon kEpsilonCoeffs { Cmu 0.09; C1 1.44; C2 1.92; sigmaEps 1.3; } No finite volume options present SIMPLE: convergence criteria field p tolerance 0.01 field U tolerance 0.001 field "(k|epsilon|omega)" tolerance 0.001 Starting time loop streamLine streamLines: automatic track length specified through number of sub cycles : 5 Time = 1 smoothSolver: Solving for Ux, Initial residual = 1, Final residual = 0.0668859, No Iterations 1 smoothSolver: Solving for Uy, Initial residual = 1, Final residual = 0.0455699, No Iterations 1 GAMG: Solving for p, Initial residual = 1, Final residual = 0.0538772, No Iterations 8 time step continuity errors : sum local = 5.38772, global = -1.49967, cumulative = -1.49967 smoothSolver: Solving for epsilon, Initial residual = 0.0991653, Final residual = 0.0056524, No Iterations 2 smoothSolver: Solving for k, Initial residual = 1, Final residual = 0.0876164, No Iterations 2 ExecutionTime = 0.04 s ClockTime = 0 s Time = 2 smoothSolver: Solving for Ux, Initial residual = 0.771429, Final residual = 0.0374418, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.546222, Final residual = 0.0248298, No Iterations 3 GAMG: Solving for p, Initial residual = 0.173835, Final residual = 0.0106679, No Iterations 3 time step continuity errors : sum local = 26.2317, global = -8.03602, cumulative = -9.53569 smoothSolver: Solving for epsilon, Initial residual = 0.0958661, Final residual = 0.00528551, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.521017, Final residual = 0.0425095, No Iterations 2 ExecutionTime = 0.05 s ClockTime = 0 s Time = 3 smoothSolver: Solving for Ux, Initial residual = 0.380608, Final residual = 0.0172067, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.298754, Final residual = 0.013713, No Iterations 3 GAMG: Solving for p, Initial residual = 0.249113, Final residual = 0.0177005, No Iterations 4 time step continuity errors : sum local = 23.5943, global = 6.94308, cumulative = -2.59261 smoothSolver: Solving for epsilon, Initial residual = 0.0942318, Final residual = 0.00568557, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.453926, Final residual = 0.0426901, No Iterations 2 ExecutionTime = 0.06 s ClockTime = 0 s Time = 4 smoothSolver: Solving for Ux, Initial residual = 0.570558, Final residual = 0.024637, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.195707, Final residual = 0.00876086, No Iterations 3 GAMG: Solving for p, Initial residual = 0.251531, Final residual = 0.014176, No Iterations 3 time step continuity errors : sum local = 26.6083, global = 7.56466, cumulative = 4.97204 smoothSolver: Solving for epsilon, Initial residual = 0.0895892, Final residual = 0.00498987, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.306899, Final residual = 0.0259243, No Iterations 2 ExecutionTime = 0.06 s ClockTime = 0 s Time = 5 smoothSolver: Solving for Ux, Initial residual = 0.310158, Final residual = 0.0127995, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.293824, Final residual = 0.013546, No Iterations 3 GAMG: Solving for p, Initial residual = 0.488836, Final residual = 0.0383226, No Iterations 3 time step continuity errors : sum local = 32.2261, global = -15.3602, cumulative = -10.3882 smoothSolver: Solving for epsilon, Initial residual = 0.0788859, Final residual = 0.00349707, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.190802, Final residual = 0.0154824, No Iterations 2 ExecutionTime = 0.06 s ClockTime = 0 s Time = 6 smoothSolver: Solving for Ux, Initial residual = 0.401254, Final residual = 0.0174689, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.126237, Final residual = 0.0051332, No Iterations 3 GAMG: Solving for p, Initial residual = 0.236735, Final residual = 0.0111925, No Iterations 3 time step continuity errors : sum local = 15.2884, global = 0.623103, cumulative = -9.76508 smoothSolver: Solving for epsilon, Initial residual = 0.0527422, Final residual = 0.00184318, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.161528, Final residual = 0.0129192, No Iterations 2 ExecutionTime = 0.07 s ClockTime = 0 s Time = 7 smoothSolver: Solving for Ux, Initial residual = 0.162213, Final residual = 0.00637995, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.21287, Final residual = 0.00979189, No Iterations 3 GAMG: Solving for p, Initial residual = 0.440224, Final residual = 0.0248611, No Iterations 3 time step continuity errors : sum local = 17.605, global = 6.7956, cumulative = -2.96949 smoothSolver: Solving for epsilon, Initial residual = 0.0554115, Final residual = 0.00218393, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.153243, Final residual = 0.0143371, No Iterations 2 ExecutionTime = 0.07 s ClockTime = 0 s Time = 8 smoothSolver: Solving for Ux, Initial residual = 0.208102, Final residual = 0.00803055, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.0778489, Final residual = 0.00265124, No Iterations 3 GAMG: Solving for p, Initial residual = 0.362933, Final residual = 0.0164146, No Iterations 3 time step continuity errors : sum local = 12.2123, global = -0.92397, cumulative = -3.89346 smoothSolver: Solving for epsilon, Initial residual = 0.0453982, Final residual = 0.00241383, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.13535, Final residual = 0.0126806, No Iterations 2 ExecutionTime = 0.08 s ClockTime = 0 s Time = 9 smoothSolver: Solving for Ux, Initial residual = 0.171747, Final residual = 0.00629311, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.136594, Final residual = 0.00578945, No Iterations 3 GAMG: Solving for p, Initial residual = 0.565213, Final residual = 0.0289607, No Iterations 3 time step continuity errors : sum local = 13.8549, global = -3.98086, cumulative = -7.87432 smoothSolver: Solving for epsilon, Initial residual = 0.0660753, Final residual = 0.00266293, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.11618, Final residual = 0.0103715, No Iterations 2 ExecutionTime = 0.08 s ClockTime = 0 s Time = 10 smoothSolver: Solving for Ux, Initial residual = 0.133084, Final residual = 0.00518334, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.0742013, Final residual = 0.00267618, No Iterations 3 GAMG: Solving for p, Initial residual = 0.359943, Final residual = 0.0138988, No Iterations 3 time step continuity errors : sum local = 8.79294, global = 2.25803, cumulative = -5.61629 smoothSolver: Solving for epsilon, Initial residual = 0.0338935, Final residual = 0.00174407, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.091843, Final residual = 0.00867911, No Iterations 2 ExecutionTime = 0.09 s ClockTime = 0 s Time = 11 smoothSolver: Solving for Ux, Initial residual = 0.0979451, Final residual = 0.00340922, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.113943, Final residual = 0.00475021, No Iterations 3 GAMG: Solving for p, Initial residual = 0.430897, Final residual = 0.0201913, No Iterations 3 time step continuity errors : sum local = 10.3571, global = -2.20304, cumulative = -7.81933 smoothSolver: Solving for epsilon, Initial residual = 0.035332, Final residual = 0.00185841, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0884541, Final residual = 0.00863146, No Iterations 2 ExecutionTime = 0.09 s ClockTime = 0 s Time = 12 smoothSolver: Solving for Ux, Initial residual = 0.0928441, Final residual = 0.00914574, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0619001, Final residual = 0.0021881, No Iterations 3 GAMG: Solving for p, Initial residual = 0.586545, Final residual = 0.0552303, No Iterations 2 time step continuity errors : sum local = 17.8584, global = -4.37102, cumulative = -12.1903 smoothSolver: Solving for epsilon, Initial residual = 0.0338079, Final residual = 0.00204732, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0808556, Final residual = 0.00790489, No Iterations 2 ExecutionTime = 0.09 s ClockTime = 0 s Time = 13 smoothSolver: Solving for Ux, Initial residual = 0.0839532, Final residual = 0.00300451, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.0665787, Final residual = 0.00250905, No Iterations 3 GAMG: Solving for p, Initial residual = 0.589855, Final residual = 0.0539662, No Iterations 2 time step continuity errors : sum local = 16.7201, global = -5.39411, cumulative = -17.5845 smoothSolver: Solving for epsilon, Initial residual = 0.0370739, Final residual = 0.00203645, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0744084, Final residual = 0.00720282, No Iterations 2 ExecutionTime = 0.1 s ClockTime = 0 s Time = 14 smoothSolver: Solving for Ux, Initial residual = 0.0634303, Final residual = 0.00618818, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0681217, Final residual = 0.00237693, No Iterations 3 GAMG: Solving for p, Initial residual = 0.565728, Final residual = 0.0304962, No Iterations 3 time step continuity errors : sum local = 9.71837, global = 3.28646, cumulative = -14.298 smoothSolver: Solving for epsilon, Initial residual = 0.0278986, Final residual = 0.00174244, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.064676, Final residual = 0.0021932, No Iterations 3 ExecutionTime = 0.1 s ClockTime = 0 s Time = 15 smoothSolver: Solving for Ux, Initial residual = 0.0658462, Final residual = 0.00654063, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0566293, Final residual = 0.00225637, No Iterations 3 GAMG: Solving for p, Initial residual = 0.341145, Final residual = 0.0131214, No Iterations 3 time step continuity errors : sum local = 6.00898, global = -1.7562, cumulative = -16.0542 smoothSolver: Solving for epsilon, Initial residual = 0.0255493, Final residual = 0.00161915, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0593757, Final residual = 0.00206875, No Iterations 3 ExecutionTime = 0.1 s ClockTime = 0 s Time = 16 smoothSolver: Solving for Ux, Initial residual = 0.0551775, Final residual = 0.00529877, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0554612, Final residual = 0.00199309, No Iterations 3 GAMG: Solving for p, Initial residual = 0.372944, Final residual = 0.0340255, No Iterations 2 time step continuity errors : sum local = 13.5137, global = 1.34016, cumulative = -14.714 smoothSolver: Solving for epsilon, Initial residual = 0.0228729, Final residual = 0.00161186, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0537295, Final residual = 0.00189712, No Iterations 3 ExecutionTime = 0.11 s ClockTime = 0 s Time = 17 smoothSolver: Solving for Ux, Initial residual = 0.0457321, Final residual = 0.00455056, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0462448, Final residual = 0.00178204, No Iterations 3 GAMG: Solving for p, Initial residual = 0.495996, Final residual = 0.0263007, No Iterations 3 time step continuity errors : sum local = 6.99897, global = -0.638954, cumulative = -15.353 smoothSolver: Solving for epsilon, Initial residual = 0.024845, Final residual = 0.00166825, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0502951, Final residual = 0.00176639, No Iterations 3 ExecutionTime = 0.11 s ClockTime = 0 s Time = 18 smoothSolver: Solving for Ux, Initial residual = 0.038891, Final residual = 0.00365327, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.052076, Final residual = 0.00173396, No Iterations 3 GAMG: Solving for p, Initial residual = 0.53236, Final residual = 0.0442563, No Iterations 2 time step continuity errors : sum local = 10.6413, global = -0.532876, cumulative = -15.8859 smoothSolver: Solving for epsilon, Initial residual = 0.0243139, Final residual = 0.00161814, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0465873, Final residual = 0.00167081, No Iterations 3 ExecutionTime = 0.12 s ClockTime = 0 s Time = 19 smoothSolver: Solving for Ux, Initial residual = 0.0342999, Final residual = 0.00313516, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.04302, Final residual = 0.00153554, No Iterations 3 GAMG: Solving for p, Initial residual = 0.436072, Final residual = 0.0270895, No Iterations 3 time step continuity errors : sum local = 7.21601, global = 1.88763, cumulative = -13.9982 smoothSolver: Solving for epsilon, Initial residual = 0.0207749, Final residual = 0.00145267, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0412768, Final residual = 0.00152295, No Iterations 3 ExecutionTime = 0.12 s ClockTime = 0 s Time = 20 smoothSolver: Solving for Ux, Initial residual = 0.0358177, Final residual = 0.00337026, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0423827, Final residual = 0.00144448, No Iterations 3 GAMG: Solving for p, Initial residual = 0.321824, Final residual = 0.0296164, No Iterations 2 time step continuity errors : sum local = 10.2038, global = 0.630112, cumulative = -13.3681 smoothSolver: Solving for epsilon, Initial residual = 0.0189368, Final residual = 0.00133326, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.03637, Final residual = 0.00134286, No Iterations 3 ExecutionTime = 0.13 s ClockTime = 0 s Time = 21 smoothSolver: Solving for Ux, Initial residual = 0.0304648, Final residual = 0.00105352, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.0359001, Final residual = 0.00131817, No Iterations 3 GAMG: Solving for p, Initial residual = 0.299653, Final residual = 0.0177786, No Iterations 3 time step continuity errors : sum local = 5.72247, global = -1.44277, cumulative = -14.8109 smoothSolver: Solving for epsilon, Initial residual = 0.0169883, Final residual = 0.00124133, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0329661, Final residual = 0.00122083, No Iterations 3 ExecutionTime = 0.13 s ClockTime = 0 s Time = 22 smoothSolver: Solving for Ux, Initial residual = 0.0275312, Final residual = 0.00252019, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0377841, Final residual = 0.00364997, No Iterations 2 GAMG: Solving for p, Initial residual = 0.480027, Final residual = 0.0448957, No Iterations 2 time step continuity errors : sum local = 8.83782, global = -0.486756, cumulative = -15.2977 smoothSolver: Solving for epsilon, Initial residual = 0.017737, Final residual = 0.0012716, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0324566, Final residual = 0.00119346, No Iterations 3 ExecutionTime = 0.13 s ClockTime = 0 s Time = 23 smoothSolver: Solving for Ux, Initial residual = 0.0220855, Final residual = 0.00205747, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0293347, Final residual = 0.00278219, No Iterations 2 GAMG: Solving for p, Initial residual = 0.410497, Final residual = 0.0196918, No Iterations 3 time step continuity errors : sum local = 3.78225, global = 0.00304083, cumulative = -15.2946 smoothSolver: Solving for epsilon, Initial residual = 0.0160031, Final residual = 0.00117538, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0291537, Final residual = 0.00108861, No Iterations 3 ExecutionTime = 0.14 s ClockTime = 0 s Time = 24 smoothSolver: Solving for Ux, Initial residual = 0.0240039, Final residual = 0.00225196, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0291652, Final residual = 0.00275463, No Iterations 2 GAMG: Solving for p, Initial residual = 0.284016, Final residual = 0.0278728, No Iterations 2 time step continuity errors : sum local = 7.64483, global = 0.171922, cumulative = -15.1227 smoothSolver: Solving for epsilon, Initial residual = 0.0135369, Final residual = 0.00099339, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0251042, Final residual = 0.000944317, No Iterations 3 ExecutionTime = 0.14 s ClockTime = 0 s Time = 25 smoothSolver: Solving for Ux, Initial residual = 0.0178687, Final residual = 0.00168807, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0229699, Final residual = 0.00218764, No Iterations 2 GAMG: Solving for p, Initial residual = 0.246279, Final residual = 0.0117506, No Iterations 3 time step continuity errors : sum local = 3.03825, global = 0.62861, cumulative = -14.4941 smoothSolver: Solving for epsilon, Initial residual = 0.0118741, Final residual = 0.000882836, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0223491, Final residual = 0.000850374, No Iterations 3 ExecutionTime = 0.14 s ClockTime = 0 s Time = 26 smoothSolver: Solving for Ux, Initial residual = 0.0177426, Final residual = 0.00166995, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0235215, Final residual = 0.0023133, No Iterations 2 GAMG: Solving for p, Initial residual = 0.311067, Final residual = 0.0305597, No Iterations 2 time step continuity errors : sum local = 6.5481, global = 0.247092, cumulative = -14.247 smoothSolver: Solving for epsilon, Initial residual = 0.0109743, Final residual = 0.000849284, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0213147, Final residual = 0.000822715, No Iterations 3 ExecutionTime = 0.15 s ClockTime = 0 s Time = 27 smoothSolver: Solving for Ux, Initial residual = 0.0132958, Final residual = 0.00113552, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0169818, Final residual = 0.00141777, No Iterations 2 GAMG: Solving for p, Initial residual = 0.263129, Final residual = 0.0113364, No Iterations 3 time step continuity errors : sum local = 2.25162, global = -0.0666506, cumulative = -14.3136 smoothSolver: Solving for epsilon, Initial residual = 0.0101369, Final residual = 0.000797603, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0202445, Final residual = 0.000784302, No Iterations 3 ExecutionTime = 0.15 s ClockTime = 0 s Time = 28 smoothSolver: Solving for Ux, Initial residual = 0.0139749, Final residual = 0.00120657, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0187538, Final residual = 0.000672807, No Iterations 3 GAMG: Solving for p, Initial residual = 0.272722, Final residual = 0.0108075, No Iterations 3 time step continuity errors : sum local = 2.07133, global = -0.171502, cumulative = -14.4851 smoothSolver: Solving for epsilon, Initial residual = 0.00889887, Final residual = 0.000719327, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0188863, Final residual = 0.000722319, No Iterations 3 ExecutionTime = 0.16 s ClockTime = 0 s Time = 29 smoothSolver: Solving for Ux, Initial residual = 0.0114154, Final residual = 0.000941527, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0152499, Final residual = 0.00127754, No Iterations 2 GAMG: Solving for p, Initial residual = 0.222446, Final residual = 0.00873975, No Iterations 3 time step continuity errors : sum local = 1.71598, global = -0.0465206, cumulative = -14.5317 smoothSolver: Solving for epsilon, Initial residual = 0.00859974, Final residual = 0.000665654, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0177348, Final residual = 0.000664479, No Iterations 3 ExecutionTime = 0.16 s ClockTime = 0 s Time = 30 smoothSolver: Solving for Ux, Initial residual = 0.0102181, Final residual = 0.000907972, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0146677, Final residual = 0.00143101, No Iterations 2 GAMG: Solving for p, Initial residual = 0.205418, Final residual = 0.00808861, No Iterations 3 time step continuity errors : sum local = 1.62255, global = 0.147106, cumulative = -14.3846 smoothSolver: Solving for epsilon, Initial residual = 0.00868716, Final residual = 0.000636258, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0169869, Final residual = 0.000621325, No Iterations 3 ExecutionTime = 0.16 s ClockTime = 0 s Time = 31 smoothSolver: Solving for Ux, Initial residual = 0.00907979, Final residual = 0.000806909, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.012173, Final residual = 0.000975712, No Iterations 2 GAMG: Solving for p, Initial residual = 0.192421, Final residual = 0.0176494, No Iterations 2 time step continuity errors : sum local = 3.44251, global = 0.16643, cumulative = -14.2181 smoothSolver: Solving for epsilon, Initial residual = 0.00830759, Final residual = 0.000590528, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0163763, Final residual = 0.000581915, No Iterations 3 ExecutionTime = 0.17 s ClockTime = 0 s Time = 32 smoothSolver: Solving for Ux, Initial residual = 0.00808001, Final residual = 0.000685697, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0104702, Final residual = 0.00091736, No Iterations 2 GAMG: Solving for p, Initial residual = 0.171133, Final residual = 0.00659144, No Iterations 3 time step continuity errors : sum local = 1.20549, global = 0.0183459, cumulative = -14.1998 smoothSolver: Solving for epsilon, Initial residual = 0.00789456, Final residual = 0.00053675, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0156742, Final residual = 0.000539241, No Iterations 3 ExecutionTime = 0.18 s ClockTime = 1 s Time = 33 smoothSolver: Solving for Ux, Initial residual = 0.00811271, Final residual = 0.00069989, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0100641, Final residual = 0.000801273, No Iterations 2 GAMG: Solving for p, Initial residual = 0.167357, Final residual = 0.00647906, No Iterations 3 time step continuity errors : sum local = 1.08255, global = -0.0567428, cumulative = -14.2565 smoothSolver: Solving for epsilon, Initial residual = 0.00752497, Final residual = 0.000503573, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0149679, Final residual = 0.000503417, No Iterations 3 ExecutionTime = 0.19 s ClockTime = 1 s Time = 34 smoothSolver: Solving for Ux, Initial residual = 0.00641525, Final residual = 0.000543525, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00906662, Final residual = 0.000761519, No Iterations 2 GAMG: Solving for p, Initial residual = 0.149633, Final residual = 0.00592725, No Iterations 3 time step continuity errors : sum local = 1.01122, global = -0.0182333, cumulative = -14.2748 smoothSolver: Solving for epsilon, Initial residual = 0.0076952, Final residual = 0.000493575, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0146019, Final residual = 0.000476546, No Iterations 3 ExecutionTime = 0.19 s ClockTime = 1 s Time = 35 smoothSolver: Solving for Ux, Initial residual = 0.00595649, Final residual = 0.000530691, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00852574, Final residual = 0.000706083, No Iterations 2 GAMG: Solving for p, Initial residual = 0.123517, Final residual = 0.00497284, No Iterations 3 time step continuity errors : sum local = 0.890171, global = 0.0294786, cumulative = -14.2453 smoothSolver: Solving for epsilon, Initial residual = 0.00770201, Final residual = 0.000471165, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0141953, Final residual = 0.00139493, No Iterations 2 ExecutionTime = 0.2 s ClockTime = 1 s Time = 36 smoothSolver: Solving for Ux, Initial residual = 0.00544324, Final residual = 0.000489283, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00727312, Final residual = 0.000572467, No Iterations 2 GAMG: Solving for p, Initial residual = 0.116743, Final residual = 0.00457745, No Iterations 3 time step continuity errors : sum local = 0.803244, global = 0.04574, cumulative = -14.1995 smoothSolver: Solving for epsilon, Initial residual = 0.00704528, Final residual = 0.000428346, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0135064, Final residual = 0.00131326, No Iterations 2 ExecutionTime = 0.2 s ClockTime = 1 s Time = 37 smoothSolver: Solving for Ux, Initial residual = 0.00477511, Final residual = 0.000404019, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00670307, Final residual = 0.000560191, No Iterations 2 GAMG: Solving for p, Initial residual = 0.102334, Final residual = 0.00504254, No Iterations 3 time step continuity errors : sum local = 0.834959, global = 0.0510172, cumulative = -14.1485 smoothSolver: Solving for epsilon, Initial residual = 0.00661656, Final residual = 0.000401913, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0128538, Final residual = 0.00124417, No Iterations 2 ExecutionTime = 0.21 s ClockTime = 1 s Time = 38 smoothSolver: Solving for Ux, Initial residual = 0.00411626, Final residual = 0.000323869, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00608618, Final residual = 0.000481434, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0969742, Final residual = 0.00416929, No Iterations 3 time step continuity errors : sum local = 0.683915, global = -0.0146426, cumulative = -14.1632 smoothSolver: Solving for epsilon, Initial residual = 0.00639147, Final residual = 0.000389358, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0123483, Final residual = 0.00119041, No Iterations 2 ExecutionTime = 0.21 s ClockTime = 1 s Time = 39 smoothSolver: Solving for Ux, Initial residual = 0.00363549, Final residual = 0.000294984, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.0057467, Final residual = 0.000489547, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0893583, Final residual = 0.00443188, No Iterations 3 time step continuity errors : sum local = 0.72723, global = -0.0330872, cumulative = -14.1963 smoothSolver: Solving for epsilon, Initial residual = 0.00619079, Final residual = 0.000374818, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0119416, Final residual = 0.00114743, No Iterations 2 ExecutionTime = 0.21 s ClockTime = 1 s Time = 40 smoothSolver: Solving for Ux, Initial residual = 0.00336527, Final residual = 0.000276474, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00513392, Final residual = 0.000392602, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0724267, Final residual = 0.00350147, No Iterations 3 time step continuity errors : sum local = 0.573676, global = -0.0333944, cumulative = -14.2296 smoothSolver: Solving for epsilon, Initial residual = 0.00586087, Final residual = 0.000358746, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0115384, Final residual = 0.00111681, No Iterations 2 ExecutionTime = 0.22 s ClockTime = 1 s Time = 41 smoothSolver: Solving for Ux, Initial residual = 0.00305648, Final residual = 0.000257222, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00462618, Final residual = 0.000370099, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0706711, Final residual = 0.00348194, No Iterations 3 time step continuity errors : sum local = 0.569315, global = -0.00415628, cumulative = -14.2338 smoothSolver: Solving for epsilon, Initial residual = 0.00555404, Final residual = 0.000348832, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0111182, Final residual = 0.00108897, No Iterations 2 ExecutionTime = 0.22 s ClockTime = 1 s Time = 42 smoothSolver: Solving for Ux, Initial residual = 0.00264475, Final residual = 0.000212316, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00423908, Final residual = 0.000344127, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0581861, Final residual = 0.00337572, No Iterations 3 time step continuity errors : sum local = 0.548934, global = 0.0185952, cumulative = -14.2152 smoothSolver: Solving for epsilon, Initial residual = 0.00523205, Final residual = 0.000336647, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0105887, Final residual = 0.00104947, No Iterations 2 ExecutionTime = 0.23 s ClockTime = 1 s Time = 43 smoothSolver: Solving for Ux, Initial residual = 0.00249786, Final residual = 0.000200462, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00402182, Final residual = 0.000324091, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0587714, Final residual = 0.00295579, No Iterations 3 time step continuity errors : sum local = 0.478196, global = 0.029377, cumulative = -14.1858 smoothSolver: Solving for epsilon, Initial residual = 0.00482876, Final residual = 0.000320033, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0100035, Final residual = 0.000343725, No Iterations 3 ExecutionTime = 0.23 s ClockTime = 1 s Time = 44 smoothSolver: Solving for Ux, Initial residual = 0.00246265, Final residual = 0.000195638, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00355764, Final residual = 0.000279164, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0508662, Final residual = 0.00279385, No Iterations 3 time step continuity errors : sum local = 0.449373, global = 0.0156606, cumulative = -14.1702 smoothSolver: Solving for epsilon, Initial residual = 0.00457564, Final residual = 0.000315009, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00964796, Final residual = 0.000345372, No Iterations 3 ExecutionTime = 0.24 s ClockTime = 1 s Time = 45 smoothSolver: Solving for Ux, Initial residual = 0.00213577, Final residual = 0.000173527, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00323905, Final residual = 0.000243737, No Iterations 2 GAMG: Solving for p, Initial residual = 0.045398, Final residual = 0.00259594, No Iterations 3 time step continuity errors : sum local = 0.414985, global = 0.0136612, cumulative = -14.1565 smoothSolver: Solving for epsilon, Initial residual = 0.00438828, Final residual = 0.000313726, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00941005, Final residual = 0.000350437, No Iterations 3 ExecutionTime = 0.24 s ClockTime = 1 s Time = 46 smoothSolver: Solving for Ux, Initial residual = 0.00189203, Final residual = 0.000146432, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00324385, Final residual = 0.000267725, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0433946, Final residual = 0.00239377, No Iterations 3 time step continuity errors : sum local = 0.382557, global = 0.0088743, cumulative = -14.1476 smoothSolver: Solving for epsilon, Initial residual = 0.00416327, Final residual = 0.000308462, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00908266, Final residual = 0.000352011, No Iterations 3 ExecutionTime = 0.24 s ClockTime = 1 s Time = 47 smoothSolver: Solving for Ux, Initial residual = 0.0019442, Final residual = 0.000160101, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00279198, Final residual = 0.000219564, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0375446, Final residual = 0.00208988, No Iterations 3 time step continuity errors : sum local = 0.332656, global = 0.0110666, cumulative = -14.1366 smoothSolver: Solving for epsilon, Initial residual = 0.00387628, Final residual = 0.000296497, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00865284, Final residual = 0.000349543, No Iterations 3 ExecutionTime = 0.24 s ClockTime = 1 s Time = 48 smoothSolver: Solving for Ux, Initial residual = 0.00196554, Final residual = 0.000165169, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00247035, Final residual = 0.000173545, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0373309, Final residual = 0.001934, No Iterations 3 time step continuity errors : sum local = 0.307074, global = 0.00206461, cumulative = -14.1345 smoothSolver: Solving for epsilon, Initial residual = 0.00363013, Final residual = 0.000283274, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00824744, Final residual = 0.000346236, No Iterations 3 ExecutionTime = 0.25 s ClockTime = 1 s Time = 49 smoothSolver: Solving for Ux, Initial residual = 0.00177776, Final residual = 0.0001484, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00241092, Final residual = 0.000188184, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0314632, Final residual = 0.00180861, No Iterations 3 time step continuity errors : sum local = 0.287579, global = -0.0109047, cumulative = -14.1454 smoothSolver: Solving for epsilon, Initial residual = 0.00340598, Final residual = 0.000271079, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00795378, Final residual = 0.000342921, No Iterations 3 ExecutionTime = 0.25 s ClockTime = 1 s Time = 50 smoothSolver: Solving for Ux, Initial residual = 0.00154938, Final residual = 0.000136599, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00232055, Final residual = 0.000189589, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0311607, Final residual = 0.00162654, No Iterations 3 time step continuity errors : sum local = 0.25999, global = -0.00233522, cumulative = -14.1477 smoothSolver: Solving for epsilon, Initial residual = 0.00319293, Final residual = 0.000258377, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00767593, Final residual = 0.000336746, No Iterations 3 ExecutionTime = 0.27 s ClockTime = 1 s streamLine streamLines output: seeded 0 particles Tracks:0 Total samples:0 Time = 51 smoothSolver: Solving for Ux, Initial residual = 0.00164877, Final residual = 0.000157568, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00206115, Final residual = 0.000155718, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0274407, Final residual = 0.00162454, No Iterations 3 time step continuity errors : sum local = 0.259584, global = 0.00713392, cumulative = -14.1406 smoothSolver: Solving for epsilon, Initial residual = 0.00297026, Final residual = 0.000242488, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00733956, Final residual = 0.000325242, No Iterations 3 ExecutionTime = 0.28 s ClockTime = 1 s Time = 52 smoothSolver: Solving for Ux, Initial residual = 0.00171695, Final residual = 0.000163188, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00173142, Final residual = 0.000118597, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0277723, Final residual = 0.001262, No Iterations 3 time step continuity errors : sum local = 0.200241, global = 0.0177442, cumulative = -14.1229 smoothSolver: Solving for epsilon, Initial residual = 0.00277028, Final residual = 0.000225771, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00697993, Final residual = 0.000309022, No Iterations 3 ExecutionTime = 0.28 s ClockTime = 1 s Time = 53 smoothSolver: Solving for Ux, Initial residual = 0.00149822, Final residual = 0.000142678, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00183256, Final residual = 0.000144451, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0250857, Final residual = 0.00128579, No Iterations 3 time step continuity errors : sum local = 0.203865, global = 0.000457323, cumulative = -14.1224 smoothSolver: Solving for epsilon, Initial residual = 0.00258312, Final residual = 0.000206592, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00660595, Final residual = 0.000289832, No Iterations 3 ExecutionTime = 0.28 s ClockTime = 1 s Time = 54 smoothSolver: Solving for Ux, Initial residual = 0.00137619, Final residual = 0.000132637, No Iterations 2 smoothSolver: Solving for Uy, Initial residual = 0.00180703, Final residual = 0.000152977, No Iterations 2 GAMG: Solving for p, Initial residual = 0.024565, Final residual = 0.00115654, No Iterations 3 time step continuity errors : sum local = 0.184054, global = -0.00819094, cumulative = -14.1306 smoothSolver: Solving for epsilon, Initial residual = 0.00235761, Final residual = 0.000185333, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00619716, Final residual = 0.000269295, No Iterations 3 ExecutionTime = 0.29 s ClockTime = 1 s Time = 55 smoothSolver: Solving for Ux, Initial residual = 0.0013616, Final residual = 5.04058e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.00158633, Final residual = 0.000121608, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0222719, Final residual = 0.000879151, No Iterations 3 time step continuity errors : sum local = 0.14062, global = -0.00420103, cumulative = -14.1348 smoothSolver: Solving for epsilon, Initial residual = 0.00214634, Final residual = 0.000165348, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00571371, Final residual = 0.00024552, No Iterations 3 ExecutionTime = 0.29 s ClockTime = 1 s Time = 56 smoothSolver: Solving for Ux, Initial residual = 0.00141689, Final residual = 5.37353e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.00129403, Final residual = 8.61091e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0211552, Final residual = 0.00105124, No Iterations 3 time step continuity errors : sum local = 0.168153, global = 0.00740961, cumulative = -14.1274 smoothSolver: Solving for epsilon, Initial residual = 0.00196929, Final residual = 0.000149417, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00527105, Final residual = 0.000221955, No Iterations 3 ExecutionTime = 0.3 s ClockTime = 1 s Time = 57 smoothSolver: Solving for Ux, Initial residual = 0.00137046, Final residual = 5.0302e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.00143394, Final residual = 0.000118454, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0213246, Final residual = 0.000831202, No Iterations 3 time step continuity errors : sum local = 0.132461, global = 0.00838792, cumulative = -14.119 smoothSolver: Solving for epsilon, Initial residual = 0.00180543, Final residual = 0.000134017, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.0048464, Final residual = 0.000199093, No Iterations 3 ExecutionTime = 0.3 s ClockTime = 1 s Time = 58 smoothSolver: Solving for Ux, Initial residual = 0.00115583, Final residual = 4.32784e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.0014675, Final residual = 0.000132892, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0197166, Final residual = 0.000951594, No Iterations 3 time step continuity errors : sum local = 0.151512, global = -0.00224356, cumulative = -14.1212 smoothSolver: Solving for epsilon, Initial residual = 0.0016456, Final residual = 0.00011755, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00437958, Final residual = 0.000175086, No Iterations 3 ExecutionTime = 0.31 s ClockTime = 1 s Time = 59 smoothSolver: Solving for Ux, Initial residual = 0.00113041, Final residual = 4.44982e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.00123474, Final residual = 9.98533e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0190054, Final residual = 0.00184353, No Iterations 2 time step continuity errors : sum local = 0.294627, global = -0.00331059, cumulative = -14.1246 smoothSolver: Solving for epsilon, Initial residual = 0.00149, Final residual = 0.000102955, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00388369, Final residual = 0.000151109, No Iterations 3 ExecutionTime = 0.31 s ClockTime = 1 s Time = 60 smoothSolver: Solving for Ux, Initial residual = 0.00111085, Final residual = 4.46459e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.000968356, Final residual = 6.88565e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0168196, Final residual = 0.00163606, No Iterations 2 time step continuity errors : sum local = 0.26224, global = -0.00565458, cumulative = -14.1302 smoothSolver: Solving for epsilon, Initial residual = 0.00133026, Final residual = 9.11602e-05, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00344078, Final residual = 0.000129401, No Iterations 3 ExecutionTime = 0.31 s ClockTime = 1 s Time = 61 smoothSolver: Solving for Ux, Initial residual = 0.00112023, Final residual = 4.37717e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.00100812, Final residual = 8.05546e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0166318, Final residual = 0.000660806, No Iterations 3 time step continuity errors : sum local = 0.106181, global = 0.000895842, cumulative = -14.1293 smoothSolver: Solving for epsilon, Initial residual = 0.00120902, Final residual = 8.18666e-05, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00304988, Final residual = 0.000110941, No Iterations 3 ExecutionTime = 0.32 s ClockTime = 1 s Time = 62 smoothSolver: Solving for Ux, Initial residual = 0.00105465, Final residual = 4.1386e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.00109437, Final residual = 9.93555e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0160847, Final residual = 0.000584018, No Iterations 3 time step continuity errors : sum local = 0.0938925, global = 0.00707637, cumulative = -14.1222 smoothSolver: Solving for epsilon, Initial residual = 0.00109908, Final residual = 7.22399e-05, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00267446, Final residual = 9.37042e-05, No Iterations 3 ExecutionTime = 0.32 s ClockTime = 1 s Time = 63 smoothSolver: Solving for Ux, Initial residual = 0.000899565, Final residual = 3.66953e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.00101328, Final residual = 9.39774e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.014456, Final residual = 0.000549239, No Iterations 3 time step continuity errors : sum local = 0.0880573, global = 0.00736564, cumulative = -14.1149 smoothSolver: Solving for epsilon, Initial residual = 0.000969789, Final residual = 6.31373e-05, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00228518, Final residual = 7.68242e-05, No Iterations 3 ExecutionTime = 0.33 s ClockTime = 1 s Time = 64 smoothSolver: Solving for Ux, Initial residual = 0.000913682, Final residual = 3.72917e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.000817953, Final residual = 6.30984e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0134442, Final residual = 0.00132827, No Iterations 2 time step continuity errors : sum local = 0.213343, global = 0.00299095, cumulative = -14.1119 smoothSolver: Solving for epsilon, Initial residual = 0.000869454, Final residual = 5.70724e-05, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00195351, Final residual = 6.31214e-05, No Iterations 3 ExecutionTime = 0.33 s ClockTime = 1 s Time = 65 smoothSolver: Solving for Ux, Initial residual = 0.000865695, Final residual = 3.42327e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.000671141, Final residual = 5.3926e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0123417, Final residual = 0.000413902, No Iterations 3 time step continuity errors : sum local = 0.0666417, global = -0.00203801, cumulative = -14.1139 smoothSolver: Solving for epsilon, Initial residual = 0.000797749, Final residual = 5.28887e-05, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00167864, Final residual = 0.000164463, No Iterations 2 ExecutionTime = 0.34 s ClockTime = 1 s Time = 66 smoothSolver: Solving for Ux, Initial residual = 0.000830989, Final residual = 3.18114e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.000826916, Final residual = 7.56956e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0119733, Final residual = 0.000448339, No Iterations 3 time step continuity errors : sum local = 0.0724768, global = 0.00245054, cumulative = -14.1115 smoothSolver: Solving for epsilon, Initial residual = 0.000738778, Final residual = 4.81876e-05, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00145956, Final residual = 0.00013944, No Iterations 2 ExecutionTime = 0.34 s ClockTime = 1 s Time = 67 smoothSolver: Solving for Ux, Initial residual = 0.000699931, Final residual = 2.70878e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.000735404, Final residual = 7.3491e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.0108252, Final residual = 0.000430595, No Iterations 3 time step continuity errors : sum local = 0.0695443, global = 0.00862151, cumulative = -14.1028 smoothSolver: Solving for epsilon, Initial residual = 0.000644449, Final residual = 4.25509e-05, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00124325, Final residual = 0.000116582, No Iterations 2 ExecutionTime = 0.34 s ClockTime = 1 s Time = 68 smoothSolver: Solving for Ux, Initial residual = 0.000691453, Final residual = 2.78126e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.000622588, Final residual = 5.41429e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.00932346, Final residual = 0.00033529, No Iterations 3 time step continuity errors : sum local = 0.0539832, global = 0.000988239, cumulative = -14.1019 smoothSolver: Solving for epsilon, Initial residual = 0.000567752, Final residual = 3.83797e-05, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.00106514, Final residual = 9.89744e-05, No Iterations 2 ExecutionTime = 0.35 s ClockTime = 1 s Time = 69 smoothSolver: Solving for Ux, Initial residual = 0.000645306, Final residual = 2.52246e-05, No Iterations 3 smoothSolver: Solving for Uy, Initial residual = 0.000529806, Final residual = 4.72124e-05, No Iterations 2 GAMG: Solving for p, Initial residual = 0.00882728, Final residual = 0.000313988, No Iterations 3 time step continuity errors : sum local = 0.0506603, global = -0.00694846, cumulative = -14.1088 smoothSolver: Solving for epsilon, Initial residual = 0.000525307, Final residual = 3.62779e-05, No Iterations 2 smoothSolver: Solving for k, Initial residual = 0.000933177, Final residual = 8.76056e-05, No Iterations 2 ExecutionTime = 0.35 s ClockTime = 1 s SIMPLE solution converged in 69 iterations streamLine streamLines output: seeded 0 particles Tracks:0 Total samples:0 End
D
/** * The thread module provides support for thread creation and management. * * Copyright: Copyright Sean Kelly 2005 - 2012. * License: Distributed under the * $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0). * (See accompanying file LICENSE) * Authors: Sean Kelly, Walter Bright, Alex Rønne Petersen, Martin Nowak * Source: $(DRUNTIMESRC core/_thread.d) */ module core.thread; public import core.time; // for Duration import core.exception : onOutOfMemoryError; private { // interface to rt.tlsgc import core.internal.traits : externDFunc; alias rt_tlsgc_init = externDFunc!("rt.tlsgc.init", void* function()); alias rt_tlsgc_destroy = externDFunc!("rt.tlsgc.destroy", void function(void*)); alias ScanDg = void delegate(void* pstart, void* pend) nothrow; alias rt_tlsgc_scan = externDFunc!("rt.tlsgc.scan", void function(void*, scope ScanDg) nothrow); alias rt_tlsgc_processGCMarks = externDFunc!("rt.tlsgc.processGCMarks", void function(void*, scope IsMarkedDg) nothrow); } version( Solaris ) { import core.sys.solaris.sys.priocntl; import core.sys.solaris.sys.types; } // this should be true for most architectures version = StackGrowsDown; /** * Returns the process ID of the calling process, which is guaranteed to be * unique on the system. This call is always successful. * * Example: * --- * writefln("Current process id: %s", getpid()); * --- */ version(Posix) { alias core.sys.posix.unistd.getpid getpid; } else version (Windows) { alias core.sys.windows.windows.GetCurrentProcessId getpid; } /////////////////////////////////////////////////////////////////////////////// // Thread and Fiber Exceptions /////////////////////////////////////////////////////////////////////////////// /** * Base class for thread exceptions. */ class ThreadException : Exception { @safe pure nothrow this(string msg, string file = __FILE__, size_t line = __LINE__, Throwable next = null) { super(msg, file, line, next); } @safe pure nothrow this(string msg, Throwable next, string file = __FILE__, size_t line = __LINE__) { super(msg, file, line, next); } } /** * Base class for thread errors to be used for function inside GC when allocations are unavailable. */ class ThreadError : Error { @safe pure nothrow this(string msg, string file = __FILE__, size_t line = __LINE__, Throwable next = null) { super(msg, file, line, next); } @safe pure nothrow this(string msg, Throwable next, string file = __FILE__, size_t line = __LINE__) { super(msg, file, line, next); } } private { import core.atomic, core.memory, core.sync.mutex; // // exposed by compiler runtime // extern (C) void rt_moduleTlsCtor(); extern (C) void rt_moduleTlsDtor(); } /////////////////////////////////////////////////////////////////////////////// // Thread Entry Point and Signal Handlers /////////////////////////////////////////////////////////////////////////////// version( Windows ) { private { import core.stdc.stdint : uintptr_t; // for _beginthreadex decl below import core.stdc.stdlib; // for malloc, atexit import core.sys.windows.windows; import core.sys.windows.threadaux; // for OpenThreadHandle const DWORD TLS_OUT_OF_INDEXES = 0xFFFFFFFF; const CREATE_SUSPENDED = 0x00000004; extern (Windows) alias uint function(void*) btex_fptr; extern (C) uintptr_t _beginthreadex(void*, uint, btex_fptr, void*, uint, uint*) nothrow; // // Entry point for Windows threads // extern (Windows) uint thread_entryPoint( void* arg ) { Thread obj = cast(Thread) arg; assert( obj ); assert( obj.m_curr is &obj.m_main ); obj.m_main.bstack = getStackBottom(); obj.m_main.tstack = obj.m_main.bstack; obj.m_tlsgcdata = rt_tlsgc_init(); Thread.setThis( obj ); //Thread.add( obj ); scope( exit ) { Thread.remove( obj ); } Thread.add( &obj.m_main ); // NOTE: No GC allocations may occur until the stack pointers have // been set and Thread.getThis returns a valid reference to // this thread object (this latter condition is not strictly // necessary on Windows but it should be followed for the // sake of consistency). // TODO: Consider putting an auto exception object here (using // alloca) forOutOfMemoryError plus something to track // whether an exception is in-flight? void append( Throwable t ) { if( obj.m_unhandled is null ) obj.m_unhandled = t; else { Throwable last = obj.m_unhandled; while( last.next !is null ) last = last.next; last.next = t; } } version( D_InlineAsm_X86 ) { asm nothrow @nogc { fninit; } } try { rt_moduleTlsCtor(); try { obj.run(); } catch( Throwable t ) { append( t ); } rt_moduleTlsDtor(); } catch( Throwable t ) { append( t ); } return 0; } HANDLE GetCurrentThreadHandle() { const uint DUPLICATE_SAME_ACCESS = 0x00000002; HANDLE curr = GetCurrentThread(), proc = GetCurrentProcess(), hndl; DuplicateHandle( proc, curr, proc, &hndl, 0, TRUE, DUPLICATE_SAME_ACCESS ); return hndl; } } } else version( Posix ) { private { import core.stdc.errno; import core.sys.posix.semaphore; import core.sys.posix.stdlib; // for malloc, valloc, free, atexit import core.sys.posix.pthread; import core.sys.posix.signal; import core.sys.posix.time; version( OSX ) { import core.sys.osx.mach.thread_act; import core.sys.osx.pthread : pthread_mach_thread_np; } version( GNU ) { import gcc.builtins; } // // Entry point for POSIX threads // extern (C) void* thread_entryPoint( void* arg ) { version (Shared) { import rt.sections; Thread obj = cast(Thread)(cast(void**)arg)[0]; auto loadedLibraries = (cast(void**)arg)[1]; .free(arg); } else { Thread obj = cast(Thread)arg; } assert( obj ); assert( obj.m_curr is &obj.m_main ); obj.m_main.bstack = getStackBottom(); obj.m_main.tstack = obj.m_main.bstack; obj.m_tlsgcdata = rt_tlsgc_init(); atomicStore!(MemoryOrder.raw)(obj.m_isRunning, true); Thread.setThis( obj ); //Thread.add( obj ); scope( exit ) { // NOTE: isRunning should be set to false after the thread is // removed or a double-removal could occur between this // function and thread_suspendAll. Thread.remove( obj ); atomicStore!(MemoryOrder.raw)(obj.m_isRunning,false); } Thread.add( &obj.m_main ); static extern (C) void thread_cleanupHandler( void* arg ) nothrow { Thread obj = cast(Thread) arg; assert( obj ); // NOTE: If the thread terminated abnormally, just set it as // not running and let thread_suspendAll remove it from // the thread list. This is safer and is consistent // with the Windows thread code. atomicStore!(MemoryOrder.raw)(obj.m_isRunning,false); } // NOTE: Using void to skip the initialization here relies on // knowledge of how pthread_cleanup is implemented. It may // not be appropriate for all platforms. However, it does // avoid the need to link the pthread module. If any // implementation actually requires default initialization // then pthread_cleanup should be restructured to maintain // the current lack of a link dependency. static if( __traits( compiles, pthread_cleanup ) ) { pthread_cleanup cleanup = void; cleanup.push( &thread_cleanupHandler, cast(void*) obj ); } else static if( __traits( compiles, pthread_cleanup_push ) ) { pthread_cleanup_push( &thread_cleanupHandler, cast(void*) obj ); } else { static assert( false, "Platform not supported." ); } // NOTE: No GC allocations may occur until the stack pointers have // been set and Thread.getThis returns a valid reference to // this thread object (this latter condition is not strictly // necessary on Windows but it should be followed for the // sake of consistency). // TODO: Consider putting an auto exception object here (using // alloca) forOutOfMemoryError plus something to track // whether an exception is in-flight? void append( Throwable t ) { if( obj.m_unhandled is null ) obj.m_unhandled = t; else { Throwable last = obj.m_unhandled; while( last.next !is null ) last = last.next; last.next = t; } } try { version (Shared) inheritLoadedLibraries(loadedLibraries); rt_moduleTlsCtor(); try { obj.run(); } catch( Throwable t ) { append( t ); } rt_moduleTlsDtor(); version (Shared) cleanupLoadedLibraries(); } catch( Throwable t ) { append( t ); } // NOTE: Normal cleanup is handled by scope(exit). static if( __traits( compiles, pthread_cleanup ) ) { cleanup.pop( 0 ); } else static if( __traits( compiles, pthread_cleanup_push ) ) { pthread_cleanup_pop( 0 ); } return null; } // // Used to track the number of suspended threads // __gshared sem_t suspendCount; extern (C) void thread_suspendHandler( int sig ) nothrow in { assert( sig == suspendSignalNumber ); } body { void op(void* sp) nothrow { // NOTE: Since registers are being pushed and popped from the // stack, any other stack data used by this function should // be gone before the stack cleanup code is called below. Thread obj = Thread.getThis(); // NOTE: The thread reference returned by getThis is set within // the thread startup code, so it is possible that this // handler may be called before the reference is set. In // this case it is safe to simply suspend and not worry // about the stack pointers as the thread will not have // any references to GC-managed data. if( obj && !obj.m_lock ) { obj.m_curr.tstack = getStackTop(); } sigset_t sigres = void; int status; status = sigfillset( &sigres ); assert( status == 0 ); status = sigdelset( &sigres, resumeSignalNumber ); assert( status == 0 ); version (FreeBSD) Thread.sm_suspendagain = false; status = sem_post( &suspendCount ); assert( status == 0 ); sigsuspend( &sigres ); if( obj && !obj.m_lock ) { obj.m_curr.tstack = obj.m_curr.bstack; } } // avoid deadlocks on FreeBSD, see Issue 13416 version (FreeBSD) { if (THR_IN_CRITICAL(pthread_self())) { Thread.sm_suspendagain = true; if (sem_post(&suspendCount)) assert(0); return; } } callWithStackShell(&op); } extern (C) void thread_resumeHandler( int sig ) nothrow in { assert( sig == resumeSignalNumber ); } body { } // HACK libthr internal (thr_private.h) macro, used to // avoid deadlocks in signal handler, see Issue 13416 version (FreeBSD) bool THR_IN_CRITICAL(pthread_t p) nothrow @nogc { import core.sys.posix.config : c_long; import core.sys.posix.sys.types : lwpid_t; // If the begin of pthread would be changed in libthr (unlikely) // we'll run into undefined behavior, compare with thr_private.h. static struct pthread { c_long tid; static struct umutex { lwpid_t owner; uint flags; uint[2] ceilings; uint[4] spare; } umutex lock; uint cycle; int locklevel; int critical_count; // ... } auto priv = cast(pthread*)p; return priv.locklevel > 0 || priv.critical_count > 0; } } } else { // NOTE: This is the only place threading versions are checked. If a new // version is added, the module code will need to be searched for // places where version-specific code may be required. This can be // easily accomlished by searching for 'Windows' or 'Posix'. static assert( false, "Unknown threading implementation." ); } /////////////////////////////////////////////////////////////////////////////// // Thread /////////////////////////////////////////////////////////////////////////////// /** * This class encapsulates all threading functionality for the D * programming language. As thread manipulation is a required facility * for garbage collection, all user threads should derive from this * class, and instances of this class should never be explicitly deleted. * A new thread may be created using either derivation or composition, as * in the following example. */ class Thread { /////////////////////////////////////////////////////////////////////////// // Initialization /////////////////////////////////////////////////////////////////////////// /** * Initializes a thread object which is associated with a static * D function. * * Params: * fn = The thread function. * sz = The stack size for this thread. * * In: * fn must not be null. */ this( void function() fn, size_t sz = 0 ) in { assert( fn ); } body { this(sz); m_fn = fn; m_call = Call.FN; m_curr = &m_main; } /** * Initializes a thread object which is associated with a dynamic * D function. * * Params: * dg = The thread function. * sz = The stack size for this thread. * * In: * dg must not be null. */ this( void delegate() dg, size_t sz = 0 ) in { assert( dg ); } body { this(sz); m_dg = dg; m_call = Call.DG; m_curr = &m_main; } /** * Cleans up any remaining resources used by this object. */ ~this() { if( m_addr == m_addr.init ) { return; } version( Windows ) { m_addr = m_addr.init; CloseHandle( m_hndl ); m_hndl = m_hndl.init; } else version( Posix ) { pthread_detach( m_addr ); m_addr = m_addr.init; } version( OSX ) { m_tmach = m_tmach.init; } rt_tlsgc_destroy( m_tlsgcdata ); m_tlsgcdata = null; } /////////////////////////////////////////////////////////////////////////// // General Actions /////////////////////////////////////////////////////////////////////////// /** * Starts the thread and invokes the function or delegate passed upon * construction. * * In: * This routine may only be called once per thread instance. * * Throws: * ThreadException if the thread fails to start. */ final Thread start() nothrow in { assert( !next && !prev ); } body { auto wasThreaded = multiThreadedFlag; multiThreadedFlag = true; scope( failure ) { if( !wasThreaded ) multiThreadedFlag = false; } version( Windows ) {} else version( Posix ) { pthread_attr_t attr; if( pthread_attr_init( &attr ) ) onThreadError( "Error initializing thread attributes" ); if( m_sz && pthread_attr_setstacksize( &attr, m_sz ) ) onThreadError( "Error initializing thread stack size" ); } version( Windows ) { // NOTE: If a thread is just executing DllMain() // while another thread is started here, it holds an OS internal // lock that serializes DllMain with CreateThread. As the code // might request a synchronization on slock (e.g. in thread_findByAddr()), // we cannot hold that lock while creating the thread without // creating a deadlock // // Solution: Create the thread in suspended state and then // add and resume it with slock acquired assert(m_sz <= uint.max, "m_sz must be less than or equal to uint.max"); m_hndl = cast(HANDLE) _beginthreadex( null, cast(uint) m_sz, &thread_entryPoint, cast(void*) this, CREATE_SUSPENDED, &m_addr ); if( cast(size_t) m_hndl == 0 ) onThreadError( "Error creating thread" ); } // NOTE: The starting thread must be added to the global thread list // here rather than within thread_entryPoint to prevent a race // with the main thread, which could finish and terminat the // app without ever knowing that it should have waited for this // starting thread. In effect, not doing the add here risks // having thread being treated like a daemon thread. slock.lock_nothrow(); scope(exit) slock.unlock_nothrow(); { version( Windows ) { if( ResumeThread( m_hndl ) == -1 ) onThreadError( "Error resuming thread" ); } else version( Posix ) { // NOTE: This is also set to true by thread_entryPoint, but set it // here as well so the calling thread will see the isRunning // state immediately. atomicStore!(MemoryOrder.raw)(m_isRunning, true); scope( failure ) atomicStore!(MemoryOrder.raw)(m_isRunning, false); version (Shared) { import rt.sections; auto libs = pinLoadedLibraries(); auto ps = cast(void**).malloc(2 * size_t.sizeof); if (ps is null) onOutOfMemoryError(); ps[0] = cast(void*)this; ps[1] = cast(void*)libs; if( pthread_create( &m_addr, &attr, &thread_entryPoint, ps ) != 0 ) { unpinLoadedLibraries(libs); .free(ps); onThreadError( "Error creating thread" ); } } else { if( pthread_create( &m_addr, &attr, &thread_entryPoint, cast(void*) this ) != 0 ) onThreadError( "Error creating thread" ); } } version( OSX ) { m_tmach = pthread_mach_thread_np( m_addr ); if( m_tmach == m_tmach.init ) onThreadError( "Error creating thread" ); } // NOTE: when creating threads from inside a DLL, DllMain(THREAD_ATTACH) // might be called before ResumeThread returns, but the dll // helper functions need to know whether the thread is created // from the runtime itself or from another DLL or the application // to just attach to it // as a consequence, the new Thread object is added before actual // creation of the thread. There should be no problem with the GC // calling thread_suspendAll, because of the slock synchronization // // VERIFY: does this actually also apply to other platforms? add( this ); return this; } } /** * Waits for this thread to complete. If the thread terminated as the * result of an unhandled exception, this exception will be rethrown. * * Params: * rethrow = Rethrow any unhandled exception which may have caused this * thread to terminate. * * Throws: * ThreadException if the operation fails. * Any exception not handled by the joined thread. * * Returns: * Any exception not handled by this thread if rethrow = false, null * otherwise. */ final Throwable join( bool rethrow = true ) { version( Windows ) { if( WaitForSingleObject( m_hndl, INFINITE ) != WAIT_OBJECT_0 ) throw new ThreadException( "Unable to join thread" ); // NOTE: m_addr must be cleared before m_hndl is closed to avoid // a race condition with isRunning. The operation is done // with atomicStore to prevent compiler reordering. atomicStore!(MemoryOrder.raw)(*cast(shared)&m_addr, m_addr.init); CloseHandle( m_hndl ); m_hndl = m_hndl.init; } else version( Posix ) { if( pthread_join( m_addr, null ) != 0 ) throw new ThreadException( "Unable to join thread" ); // NOTE: pthread_join acts as a substitute for pthread_detach, // which is normally called by the dtor. Setting m_addr // to zero ensures that pthread_detach will not be called // on object destruction. m_addr = m_addr.init; } if( m_unhandled ) { if( rethrow ) throw m_unhandled; return m_unhandled; } return null; } /////////////////////////////////////////////////////////////////////////// // General Properties /////////////////////////////////////////////////////////////////////////// /** * Gets the user-readable label for this thread. * * Returns: * The name of this thread. */ final @property string name() { synchronized( this ) { return m_name; } } /** * Sets the user-readable label for this thread. * * Params: * val = The new name of this thread. */ final @property void name( string val ) { synchronized( this ) { m_name = val; } } /** * Gets the daemon status for this thread. While the runtime will wait for * all normal threads to complete before tearing down the process, daemon * threads are effectively ignored and thus will not prevent the process * from terminating. In effect, daemon threads will be terminated * automatically by the OS when the process exits. * * Returns: * true if this is a daemon thread. */ final @property bool isDaemon() { synchronized( this ) { return m_isDaemon; } } /** * Sets the daemon status for this thread. While the runtime will wait for * all normal threads to complete before tearing down the process, daemon * threads are effectively ignored and thus will not prevent the process * from terminating. In effect, daemon threads will be terminated * automatically by the OS when the process exits. * * Params: * val = The new daemon status for this thread. */ final @property void isDaemon( bool val ) { synchronized( this ) { m_isDaemon = val; } } /** * Tests whether this thread is running. * * Returns: * true if the thread is running, false if not. */ final @property bool isRunning() nothrow { if( m_addr == m_addr.init ) { return false; } version( Windows ) { uint ecode = 0; GetExitCodeThread( m_hndl, &ecode ); return ecode == STILL_ACTIVE; } else version( Posix ) { return atomicLoad(m_isRunning); } } /////////////////////////////////////////////////////////////////////////// // Thread Priority Actions /////////////////////////////////////////////////////////////////////////// /** * The minimum scheduling priority that may be set for a thread. On * systems where multiple scheduling policies are defined, this value * represents the minimum valid priority for the scheduling policy of * the process. */ __gshared const int PRIORITY_MIN; /** * The maximum scheduling priority that may be set for a thread. On * systems where multiple scheduling policies are defined, this value * represents the maximum valid priority for the scheduling policy of * the process. */ __gshared const int PRIORITY_MAX; /** * The default scheduling priority that is set for a thread. On * systems where multiple scheduling policies are defined, this value * represents the default priority for the scheduling policy of * the process. */ __gshared const int PRIORITY_DEFAULT; /** * Gets the scheduling priority for the associated thread. * * Note: Getting the priority of a thread that already terminated * might return the default priority. * * Returns: * The scheduling priority of this thread. */ final @property int priority() { version( Windows ) { return GetThreadPriority( m_hndl ); } else version( Posix ) { int policy; sched_param param; if (auto err = pthread_getschedparam(m_addr, &policy, &param)) { // ignore error if thread is not running => Bugzilla 8960 if (!atomicLoad(m_isRunning)) return PRIORITY_DEFAULT; throw new ThreadException("Unable to get thread priority"); } return param.sched_priority; } } /** * Sets the scheduling priority for the associated thread. * * Note: Setting the priority of a thread that already terminated * might have no effect. * * Params: * val = The new scheduling priority of this thread. */ final @property void priority( int val ) in { assert(val >= PRIORITY_MIN); assert(val <= PRIORITY_MAX); } body { version( Windows ) { if( !SetThreadPriority( m_hndl, val ) ) throw new ThreadException( "Unable to set thread priority" ); } else version( Solaris ) { // the pthread_setschedprio(3c) and pthread_setschedparam functions // are broken for the default (TS / time sharing) scheduling class. // instead, we use priocntl(2) which gives us the desired behavior. // We hardcode the min and max priorities to the current value // so this is a no-op for RT threads. if (m_isRTClass) return; pcparms_t pcparm; pcparm.pc_cid = PC_CLNULL; if (priocntl(idtype_t.P_LWPID, P_MYID, PC_GETPARMS, &pcparm) == -1) throw new ThreadException( "Unable to get scheduling class" ); pri_t* clparms = cast(pri_t*)&pcparm.pc_clparms; // clparms is filled in by the PC_GETPARMS call, only necessary // to adjust the element that contains the thread priority clparms[1] = cast(pri_t) val; if (priocntl(idtype_t.P_LWPID, P_MYID, PC_SETPARMS, &pcparm) == -1) throw new ThreadException( "Unable to set scheduling class" ); } else version( Posix ) { static if(__traits(compiles, pthread_setschedprio)) { if (auto err = pthread_setschedprio(m_addr, val)) { // ignore error if thread is not running => Bugzilla 8960 if (!atomicLoad(m_isRunning)) return; throw new ThreadException("Unable to set thread priority"); } } else { // NOTE: pthread_setschedprio is not implemented on OSX or FreeBSD, so use // the more complicated get/set sequence below. int policy; sched_param param; if (auto err = pthread_getschedparam(m_addr, &policy, &param)) { // ignore error if thread is not running => Bugzilla 8960 if (!atomicLoad(m_isRunning)) return; throw new ThreadException("Unable to set thread priority"); } param.sched_priority = val; if (auto err = pthread_setschedparam(m_addr, policy, &param)) { // ignore error if thread is not running => Bugzilla 8960 if (!atomicLoad(m_isRunning)) return; throw new ThreadException("Unable to set thread priority"); } } } } unittest { auto thr = Thread.getThis(); immutable prio = thr.priority; scope (exit) thr.priority = prio; assert(prio == PRIORITY_DEFAULT); assert(prio >= PRIORITY_MIN && prio <= PRIORITY_MAX); thr.priority = PRIORITY_MIN; assert(thr.priority == PRIORITY_MIN); thr.priority = PRIORITY_MAX; assert(thr.priority == PRIORITY_MAX); } unittest // Bugzilla 8960 { import core.sync.semaphore; auto thr = new Thread({}); thr.start(); Thread.sleep(1.msecs); // wait a little so the thread likely has finished thr.priority = PRIORITY_MAX; // setting priority doesn't cause error auto prio = thr.priority; // getting priority doesn't cause error assert(prio >= PRIORITY_MIN && prio <= PRIORITY_MAX); } /////////////////////////////////////////////////////////////////////////// // Actions on Calling Thread /////////////////////////////////////////////////////////////////////////// /** * Suspends the calling thread for at least the supplied period. This may * result in multiple OS calls if period is greater than the maximum sleep * duration supported by the operating system. * * Params: * val = The minimum duration the calling thread should be suspended. * * In: * period must be non-negative. * * Example: * ------------------------------------------------------------------------ * * Thread.sleep( dur!("msecs")( 50 ) ); // sleep for 50 milliseconds * Thread.sleep( dur!("seconds")( 5 ) ); // sleep for 5 seconds * * ------------------------------------------------------------------------ */ static void sleep( Duration val ) nothrow in { assert( !val.isNegative ); } body { version( Windows ) { auto maxSleepMillis = dur!("msecs")( uint.max - 1 ); // avoid a non-zero time to be round down to 0 if( val > dur!"msecs"( 0 ) && val < dur!"msecs"( 1 ) ) val = dur!"msecs"( 1 ); // NOTE: In instances where all other threads in the process have a // lower priority than the current thread, the current thread // will not yield with a sleep time of zero. However, unlike // yield(), the user is not asking for a yield to occur but // only for execution to suspend for the requested interval. // Therefore, expected performance may not be met if a yield // is forced upon the user. while( val > maxSleepMillis ) { Sleep( cast(uint) maxSleepMillis.total!"msecs" ); val -= maxSleepMillis; } Sleep( cast(uint) val.total!"msecs" ); } else version( Posix ) { timespec tin = void; timespec tout = void; val.split!("seconds", "nsecs")(tin.tv_sec, tin.tv_nsec); if( val.total!"seconds" > tin.tv_sec.max ) tin.tv_sec = tin.tv_sec.max; while( true ) { if( !nanosleep( &tin, &tout ) ) return; if( errno != EINTR ) throw new ThreadError( "Unable to sleep for the specified duration" ); tin = tout; } } } /** * Forces a context switch to occur away from the calling thread. */ static void yield() nothrow { version( Windows ) SwitchToThread(); else version( Posix ) sched_yield(); } /////////////////////////////////////////////////////////////////////////// // Thread Accessors /////////////////////////////////////////////////////////////////////////// /** * Provides a reference to the calling thread. * * Returns: * The thread object representing the calling thread. The result of * deleting this object is undefined. If the current thread is not * attached to the runtime, a null reference is returned. */ static Thread getThis() nothrow { // NOTE: This function may not be called until thread_init has // completed. See thread_suspendAll for more information // on why this might occur. version( OSX ) { return sm_this; } else version( Posix ) { auto t = cast(Thread) pthread_getspecific( sm_this ); return t; } else { return sm_this; } } /** * Provides a list of all threads currently being tracked by the system. * * Returns: * An array containing references to all threads currently being * tracked by the system. The result of deleting any contained * objects is undefined. */ static Thread[] getAll() { synchronized( slock ) { size_t pos = 0; Thread[] buf = new Thread[sm_tlen]; foreach( Thread t; Thread ) { buf[pos++] = t; } return buf; } } /** * Operates on all threads currently being tracked by the system. The * result of deleting any Thread object is undefined. * * Params: * dg = The supplied code as a delegate. * * Returns: * Zero if all elemented are visited, nonzero if not. */ static int opApply( scope int delegate( ref Thread ) dg ) { synchronized( slock ) { int ret = 0; for( Thread t = sm_tbeg; t; t = t.next ) { ret = dg( t ); if( ret ) break; } return ret; } } /////////////////////////////////////////////////////////////////////////// // Static Initalizer /////////////////////////////////////////////////////////////////////////// /** * This initializer is used to set thread constants. All functional * initialization occurs within thread_init(). */ shared static this() { version( Windows ) { PRIORITY_MIN = THREAD_PRIORITY_IDLE; PRIORITY_DEFAULT = THREAD_PRIORITY_NORMAL; PRIORITY_MAX = THREAD_PRIORITY_TIME_CRITICAL; } else version( Solaris ) { pcparms_t pcParms; pcinfo_t pcInfo; pcParms.pc_cid = PC_CLNULL; if (priocntl(idtype_t.P_PID, P_MYID, PC_GETPARMS, &pcParms) == -1) throw new ThreadException( "Unable to get scheduling class" ); pcInfo.pc_cid = pcParms.pc_cid; // PC_GETCLINFO ignores the first two args, use dummy values if (priocntl(idtype_t.P_PID, 0, PC_GETCLINFO, &pcInfo) == -1) throw new ThreadException( "Unable to get scheduling class info" ); pri_t* clparms = cast(pri_t*)&pcParms.pc_clparms; pri_t* clinfo = cast(pri_t*)&pcInfo.pc_clinfo; if (pcInfo.pc_clname == "RT") { m_isRTClass = true; // For RT class, just assume it can't be changed PRIORITY_MAX = clparms[0]; PRIORITY_MIN = clparms[0]; PRIORITY_DEFAULT = clparms[0]; } else { m_isRTClass = false; // For all other scheduling classes, there are // two key values -- uprilim and maxupri. // maxupri is the maximum possible priority defined // for the scheduling class, and valid priorities // range are in [-maxupri, maxupri]. // // However, uprilim is an upper limit that the // current thread can set for the current scheduling // class, which can be less than maxupri. As such, // use this value for PRIORITY_MAX since this is // the effective maximum. // uprilim PRIORITY_MAX = clparms[0]; // maxupri PRIORITY_MIN = -clinfo[0]; // by definition PRIORITY_DEFAULT = 0; } } else version( Posix ) { int policy; sched_param param; pthread_t self = pthread_self(); int status = pthread_getschedparam( self, &policy, &param ); assert( status == 0 ); PRIORITY_MIN = sched_get_priority_min( policy ); assert( PRIORITY_MIN != -1 ); PRIORITY_DEFAULT = param.sched_priority; PRIORITY_MAX = sched_get_priority_max( policy ); assert( PRIORITY_MAX != -1 ); } } /////////////////////////////////////////////////////////////////////////// // Stuff That Should Go Away /////////////////////////////////////////////////////////////////////////// private: // // Initializes a thread object which has no associated executable function. // This is used for the main thread initialized in thread_init(). // this(size_t sz = 0) { if (sz) { version (Posix) { // stack size must be a multiple of PAGESIZE sz += PAGESIZE - 1; sz -= sz % PAGESIZE; // and at least PTHREAD_STACK_MIN if (PTHREAD_STACK_MIN > sz) sz = PTHREAD_STACK_MIN; } m_sz = sz; } m_call = Call.NO; m_curr = &m_main; } // // Thread entry point. Invokes the function or delegate passed on // construction (if any). // final void run() { switch( m_call ) { case Call.FN: m_fn(); break; case Call.DG: m_dg(); break; default: break; } } private: // // The type of routine passed on thread construction. // enum Call { NO, FN, DG } // // Standard types // version( Windows ) { alias uint TLSKey; alias uint ThreadAddr; } else version( Posix ) { alias pthread_key_t TLSKey; alias pthread_t ThreadAddr; } // // Local storage // version( OSX ) { static Thread sm_this; } else version( Posix ) { // On Posix (excluding OSX), pthread_key_t is explicitly used to // store and access thread reference. This is needed // to avoid TLS access in signal handlers (malloc deadlock) // when using shared libraries, see issue 11981. __gshared pthread_key_t sm_this; } else { static Thread sm_this; } // // Main process thread // __gshared Thread sm_main; version (FreeBSD) { // set when suspend failed and should be retried, see Issue 13416 static shared bool sm_suspendagain; } // // Standard thread data // version( Windows ) { HANDLE m_hndl; } else version( OSX ) { mach_port_t m_tmach; } ThreadAddr m_addr; Call m_call; string m_name; union { void function() m_fn; void delegate() m_dg; } size_t m_sz; version( Posix ) { shared bool m_isRunning; } bool m_isDaemon; bool m_isInCriticalRegion; Throwable m_unhandled; version( Solaris ) { __gshared immutable bool m_isRTClass; } private: /////////////////////////////////////////////////////////////////////////// // Storage of Active Thread /////////////////////////////////////////////////////////////////////////// // // Sets a thread-local reference to the current thread object. // static void setThis( Thread t ) { version( OSX ) { sm_this = t; } else version( Posix ) { pthread_setspecific( sm_this, cast(void*) t ); } else { sm_this = t; } } private: /////////////////////////////////////////////////////////////////////////// // Thread Context and GC Scanning Support /////////////////////////////////////////////////////////////////////////// final void pushContext( Context* c ) nothrow in { assert( !c.within ); } body { c.within = m_curr; m_curr = c; } final void popContext() nothrow in { assert( m_curr && m_curr.within ); } body { Context* c = m_curr; m_curr = c.within; c.within = null; } final Context* topContext() nothrow in { assert( m_curr ); } body { return m_curr; } static struct Context { void* bstack, tstack; Context* within; Context* next, prev; } Context m_main; Context* m_curr; bool m_lock; void* m_tlsgcdata; version( Windows ) { version( X86 ) { uint[8] m_reg; // edi,esi,ebp,esp,ebx,edx,ecx,eax } else version( X86_64 ) { ulong[16] m_reg; // rdi,rsi,rbp,rsp,rbx,rdx,rcx,rax // r8,r9,r10,r11,r12,r13,r14,r15 } else { static assert(false, "Architecture not supported." ); } } else version( OSX ) { version( X86 ) { uint[8] m_reg; // edi,esi,ebp,esp,ebx,edx,ecx,eax } else version( X86_64 ) { ulong[16] m_reg; // rdi,rsi,rbp,rsp,rbx,rdx,rcx,rax // r8,r9,r10,r11,r12,r13,r14,r15 } else { static assert(false, "Architecture not supported." ); } } private: /////////////////////////////////////////////////////////////////////////// // GC Scanning Support /////////////////////////////////////////////////////////////////////////// // NOTE: The GC scanning process works like so: // // 1. Suspend all threads. // 2. Scan the stacks of all suspended threads for roots. // 3. Resume all threads. // // Step 1 and 3 require a list of all threads in the system, while // step 2 requires a list of all thread stacks (each represented by // a Context struct). Traditionally, there was one stack per thread // and the Context structs were not necessary. However, Fibers have // changed things so that each thread has its own 'main' stack plus // an arbitrary number of nested stacks (normally referenced via // m_curr). Also, there may be 'free-floating' stacks in the system, // which are Fibers that are not currently executing on any specific // thread but are still being processed and still contain valid // roots. // // To support all of this, the Context struct has been created to // represent a stack range, and a global list of Context structs has // been added to enable scanning of these stack ranges. The lifetime // (and presence in the Context list) of a thread's 'main' stack will // be equivalent to the thread's lifetime. So the Ccontext will be // added to the list on thread entry, and removed from the list on // thread exit (which is essentially the same as the presence of a // Thread object in its own global list). The lifetime of a Fiber's // context, however, will be tied to the lifetime of the Fiber object // itself, and Fibers are expected to add/remove their Context struct // on construction/deletion. // // All use of the global lists should synchronize on this lock. // @property static Mutex slock() nothrow { return cast(Mutex)_locks[0].ptr; } @property static Mutex criticalRegionLock() nothrow { return cast(Mutex)_locks[1].ptr; } __gshared void[__traits(classInstanceSize, Mutex)][2] _locks; static void initLocks() { foreach (ref lock; _locks) { lock[] = typeid(Mutex).init[]; (cast(Mutex)lock.ptr).__ctor(); } } static void termLocks() { foreach (ref lock; _locks) (cast(Mutex)lock.ptr).__dtor(); } __gshared Context* sm_cbeg; __gshared Thread sm_tbeg; __gshared size_t sm_tlen; // // Used for ordering threads in the global thread list. // Thread prev; Thread next; /////////////////////////////////////////////////////////////////////////// // Global Context List Operations /////////////////////////////////////////////////////////////////////////// // // Add a context to the global context list. // static void add( Context* c ) nothrow in { assert( c ); assert( !c.next && !c.prev ); } body { // NOTE: This loop is necessary to avoid a race between newly created // threads and the GC. If a collection starts between the time // Thread.start is called and the new thread calls Thread.add, // the thread will have its stack scanned without first having // been properly suspended. Testing has shown this to sometimes // cause a deadlock. while( true ) { slock.lock_nothrow(); scope(exit) slock.unlock_nothrow(); { if( !suspendDepth ) { if( sm_cbeg ) { c.next = sm_cbeg; sm_cbeg.prev = c; } sm_cbeg = c; return; } } yield(); } } // // Remove a context from the global context list. // // This assumes slock being acquired. This isn't done here to // avoid double locking when called from remove(Thread) static void remove( Context* c ) nothrow in { assert( c ); assert( c.next || c.prev ); } body { if( c.prev ) c.prev.next = c.next; if( c.next ) c.next.prev = c.prev; if( sm_cbeg == c ) sm_cbeg = c.next; // NOTE: Don't null out c.next or c.prev because opApply currently // follows c.next after removing a node. This could be easily // addressed by simply returning the next node from this // function, however, a context should never be re-added to the // list anyway and having next and prev be non-null is a good way // to ensure that. } /////////////////////////////////////////////////////////////////////////// // Global Thread List Operations /////////////////////////////////////////////////////////////////////////// // // Add a thread to the global thread list. // static void add( Thread t ) nothrow in { assert( t ); assert( !t.next && !t.prev ); assert( t.isRunning ); } body { // NOTE: This loop is necessary to avoid a race between newly created // threads and the GC. If a collection starts between the time // Thread.start is called and the new thread calls Thread.add, // the thread could manipulate global state while the collection // is running, and by being added to the thread list it could be // resumed by the GC when it was never suspended, which would // result in an exception thrown by the GC code. // // An alternative would be to have Thread.start call Thread.add // for the new thread, but this may introduce its own problems, // since the thread object isn't entirely ready to be operated // on by the GC. This could be fixed by tracking thread startup // status, but it's far easier to simply have Thread.add wait // for any running collection to stop before altering the thread // list. // // After further testing, having add wait for a collect to end // proved to have its own problems (explained in Thread.start), // so add(Thread) is now being done in Thread.start. This // reintroduced the deadlock issue mentioned in bugzilla 4890, // which appears to have been solved by doing this same wait // procedure in add(Context). These comments will remain in // case other issues surface that require the startup state // tracking described above. while( true ) { slock.lock_nothrow(); scope(exit) slock.unlock_nothrow(); { if( !suspendDepth ) { if( sm_tbeg ) { t.next = sm_tbeg; sm_tbeg.prev = t; } sm_tbeg = t; ++sm_tlen; return; } } yield(); } } // // Remove a thread from the global thread list. // static void remove( Thread t ) nothrow in { assert( t ); assert( t.next || t.prev ); } body { slock.lock_nothrow(); { // NOTE: When a thread is removed from the global thread list its // main context is invalid and should be removed as well. // It is possible that t.m_curr could reference more // than just the main context if the thread exited abnormally // (if it was terminated), but we must assume that the user // retains a reference to them and that they may be re-used // elsewhere. Therefore, it is the responsibility of any // object that creates contexts to clean them up properly // when it is done with them. remove( &t.m_main ); if( t.prev ) t.prev.next = t.next; if( t.next ) t.next.prev = t.prev; if( sm_tbeg is t ) sm_tbeg = t.next; --sm_tlen; } // NOTE: Don't null out t.next or t.prev because opApply currently // follows t.next after removing a node. This could be easily // addressed by simply returning the next node from this // function, however, a thread should never be re-added to the // list anyway and having next and prev be non-null is a good way // to ensure that. slock.unlock_nothrow(); } } /// unittest { class DerivedThread : Thread { this() { super(&run); } private: void run() { // Derived thread running. } } void threadFunc() { // Composed thread running. } // create and start instances of each type auto derived = new DerivedThread().start(); auto composed = new Thread(&threadFunc).start(); } unittest { int x = 0; new Thread( { x++; }).start().join(); assert( x == 1 ); } unittest { enum MSG = "Test message."; string caughtMsg; try { new Thread( { throw new Exception( MSG ); }).start().join(); assert( false, "Expected rethrown exception." ); } catch( Throwable t ) { assert( t.msg == MSG ); } } /////////////////////////////////////////////////////////////////////////////// // GC Support Routines /////////////////////////////////////////////////////////////////////////////// version( CoreDdoc ) { /** * Instruct the thread module, when initialized, to use a different set of * signals besides SIGUSR1 and SIGUSR2 for suspension and resumption of threads. * This function should be called at most once, prior to thread_init(). * This function is Posix-only. */ extern (C) void thread_setGCSignals(int suspendSignalNo, int resumeSignalNo) { } } else version( Posix ) { extern (C) void thread_setGCSignals(int suspendSignalNo, int resumeSignalNo) in { assert(suspendSignalNumber == 0); assert(resumeSignalNumber == 0); assert(suspendSignalNo != 0); assert(resumeSignalNo != 0); } out { assert(suspendSignalNumber != 0); assert(resumeSignalNumber != 0); } body { suspendSignalNumber = suspendSignalNo; resumeSignalNumber = resumeSignalNo; } } version( Posix ) { __gshared int suspendSignalNumber; __gshared int resumeSignalNumber; } /** * Initializes the thread module. This function must be called by the * garbage collector on startup and before any other thread routines * are called. */ extern (C) void thread_init() { // NOTE: If thread_init itself performs any allocations then the thread // routines reserved for garbage collector use may be called while // thread_init is being processed. However, since no memory should // exist to be scanned at this point, it is sufficient for these // functions to detect the condition and return immediately. Thread.initLocks(); version( OSX ) { } else version( Posix ) { if( suspendSignalNumber == 0 ) { suspendSignalNumber = SIGUSR1; } if( resumeSignalNumber == 0 ) { resumeSignalNumber = SIGUSR2; } int status; sigaction_t sigusr1 = void; sigaction_t sigusr2 = void; // This is a quick way to zero-initialize the structs without using // memset or creating a link dependency on their static initializer. (cast(byte*) &sigusr1)[0 .. sigaction_t.sizeof] = 0; (cast(byte*) &sigusr2)[0 .. sigaction_t.sizeof] = 0; // NOTE: SA_RESTART indicates that system calls should restart if they // are interrupted by a signal, but this is not available on all // Posix systems, even those that support multithreading. static if( __traits( compiles, SA_RESTART ) ) sigusr1.sa_flags = SA_RESTART; else sigusr1.sa_flags = 0; sigusr1.sa_handler = &thread_suspendHandler; // NOTE: We want to ignore all signals while in this handler, so fill // sa_mask to indicate this. status = sigfillset( &sigusr1.sa_mask ); assert( status == 0 ); // NOTE: Since resumeSignalNumber should only be issued for threads within the // suspend handler, we don't want this signal to trigger a // restart. sigusr2.sa_flags = 0; sigusr2.sa_handler = &thread_resumeHandler; // NOTE: We want to ignore all signals while in this handler, so fill // sa_mask to indicate this. status = sigfillset( &sigusr2.sa_mask ); assert( status == 0 ); status = sigaction( suspendSignalNumber, &sigusr1, null ); assert( status == 0 ); status = sigaction( resumeSignalNumber, &sigusr2, null ); assert( status == 0 ); status = sem_init( &suspendCount, 0, 0 ); assert( status == 0 ); status = pthread_key_create( &Thread.sm_this, null ); assert( status == 0 ); } Thread.sm_main = thread_attachThis(); } /** * Terminates the thread module. No other thread routine may be called * afterwards. */ extern (C) void thread_term() { Thread.termLocks(); version( OSX ) { } else version( Posix ) { pthread_key_delete( Thread.sm_this ); } } /** * */ extern (C) bool thread_isMainThread() { return Thread.getThis() is Thread.sm_main; } /** * Registers the calling thread for use with the D Runtime. If this routine * is called for a thread which is already registered, no action is performed. * * NOTE: This routine does not run thread-local static constructors when called. * If full functionality as a D thread is desired, the following function * must be called after thread_attachThis: * * extern (C) void rt_moduleTlsCtor(); */ extern (C) Thread thread_attachThis() { GC.disable(); scope(exit) GC.enable(); if (auto t = Thread.getThis()) return t; Thread thisThread = new Thread(); Thread.Context* thisContext = &thisThread.m_main; assert( thisContext == thisThread.m_curr ); version( Windows ) { thisThread.m_addr = GetCurrentThreadId(); thisThread.m_hndl = GetCurrentThreadHandle(); thisContext.bstack = getStackBottom(); thisContext.tstack = thisContext.bstack; } else version( Posix ) { thisThread.m_addr = pthread_self(); thisContext.bstack = getStackBottom(); thisContext.tstack = thisContext.bstack; atomicStore!(MemoryOrder.raw)(thisThread.m_isRunning, true); } thisThread.m_isDaemon = true; thisThread.m_tlsgcdata = rt_tlsgc_init(); Thread.setThis( thisThread ); version( OSX ) { thisThread.m_tmach = pthread_mach_thread_np( thisThread.m_addr ); assert( thisThread.m_tmach != thisThread.m_tmach.init ); } Thread.add( thisThread ); Thread.add( thisContext ); if( Thread.sm_main !is null ) multiThreadedFlag = true; return thisThread; } version( Windows ) { // NOTE: These calls are not safe on Posix systems that use signals to // perform garbage collection. The suspendHandler uses getThis() // to get the thread handle so getThis() must be a simple call. // Mutexes can't safely be acquired inside signal handlers, and // even if they could, the mutex needed (Thread.slock) is held by // thread_suspendAll(). So in short, these routines will remain // Windows-specific. If they are truly needed elsewhere, the // suspendHandler will need a way to call a version of getThis() // that only does the TLS lookup without the fancy fallback stuff. /// ditto extern (C) Thread thread_attachByAddr( Thread.ThreadAddr addr ) { return thread_attachByAddrB( addr, getThreadStackBottom( addr ) ); } /// ditto extern (C) Thread thread_attachByAddrB( Thread.ThreadAddr addr, void* bstack ) { GC.disable(); scope(exit) GC.enable(); if (auto t = thread_findByAddr(addr)) return t; Thread thisThread = new Thread(); Thread.Context* thisContext = &thisThread.m_main; assert( thisContext == thisThread.m_curr ); thisThread.m_addr = addr; thisContext.bstack = bstack; thisContext.tstack = thisContext.bstack; thisThread.m_isDaemon = true; if( addr == GetCurrentThreadId() ) { thisThread.m_hndl = GetCurrentThreadHandle(); thisThread.m_tlsgcdata = rt_tlsgc_init(); Thread.setThis( thisThread ); } else { thisThread.m_hndl = OpenThreadHandle( addr ); impersonate_thread(addr, { thisThread.m_tlsgcdata = rt_tlsgc_init(); Thread.setThis( thisThread ); }); } Thread.add( thisThread ); Thread.add( thisContext ); if( Thread.sm_main !is null ) multiThreadedFlag = true; return thisThread; } } /** * Deregisters the calling thread from use with the runtime. If this routine * is called for a thread which is not registered, the result is undefined. * * NOTE: This routine does not run thread-local static destructors when called. * If full functionality as a D thread is desired, the following function * must be called after thread_detachThis, particularly if the thread is * being detached at some indeterminate time before program termination: * * $(D extern(C) void rt_moduleTlsDtor();) */ extern (C) void thread_detachThis() nothrow { if (auto t = Thread.getThis()) Thread.remove(t); } /** * Deregisters the given thread from use with the runtime. If this routine * is called for a thread which is not registered, the result is undefined. * * NOTE: This routine does not run thread-local static destructors when called. * If full functionality as a D thread is desired, the following function * must be called by the detached thread, particularly if the thread is * being detached at some indeterminate time before program termination: * * $(D extern(C) void rt_moduleTlsDtor();) */ extern (C) void thread_detachByAddr( Thread.ThreadAddr addr ) { if( auto t = thread_findByAddr( addr ) ) Thread.remove( t ); } /// ditto extern (C) void thread_detachInstance( Thread t ) { Thread.remove( t ); } unittest { import core.sync.semaphore; auto sem = new Semaphore(); auto t = new Thread( { sem.notify(); Thread.sleep(100.msecs); }).start(); sem.wait(); // thread cannot be detached while being started thread_detachInstance(t); foreach (t2; Thread) assert(t !is t2); t.join(); } /** * Search the list of all threads for a thread with the given thread identifier. * * Params: * addr = The thread identifier to search for. * Returns: * The thread object associated with the thread identifier, null if not found. */ static Thread thread_findByAddr( Thread.ThreadAddr addr ) { Thread.slock.lock_nothrow(); scope(exit) Thread.slock.unlock_nothrow(); { foreach( t; Thread ) { if( t.m_addr == addr ) return t; } } return null; } /** * Sets the current thread to a specific reference. Only to be used * when dealing with externally-created threads (in e.g. C code). * The primary use of this function is when Thread.getThis() must * return a sensible value in, for example, TLS destructors. In * other words, don't touch this unless you know what you're doing. * * Params: * t = A reference to the current thread. May be null. */ extern (C) void thread_setThis(Thread t) { Thread.setThis(t); } /** * Joins all non-daemon threads that are currently running. This is done by * performing successive scans through the thread list until a scan consists * of only daemon threads. */ extern (C) void thread_joinAll() { while( true ) { Thread nonDaemon = null; foreach( t; Thread ) { if( !t.isRunning ) { Thread.remove( t ); continue; } if( !t.isDaemon ) { nonDaemon = t; break; } } if( nonDaemon is null ) return; nonDaemon.join(); } } /** * Performs intermediate shutdown of the thread module. */ shared static ~this() { // NOTE: The functionality related to garbage collection must be minimally // operable after this dtor completes. Therefore, only minimal // cleanup may occur. for( Thread t = Thread.sm_tbeg; t; t = t.next ) { if( !t.isRunning ) Thread.remove( t ); } } // Used for needLock below. private __gshared bool multiThreadedFlag = false; version (PPC64) version = ExternStackShell; version (ExternStackShell) { extern(D) public void callWithStackShell(scope void delegate(void* sp) nothrow fn) nothrow; } else { // Calls the given delegate, passing the current thread's stack pointer to it. private void callWithStackShell(scope void delegate(void* sp) nothrow fn) nothrow in { assert(fn); } body { // The purpose of the 'shell' is to ensure all the registers get // put on the stack so they'll be scanned. We only need to push // the callee-save registers. void *sp = void; version (GNU) { __builtin_unwind_init(); sp = &sp; } else version (AsmX86_Posix) { size_t[3] regs = void; asm pure nothrow @nogc { mov [regs + 0 * 4], EBX; mov [regs + 1 * 4], ESI; mov [regs + 2 * 4], EDI; mov sp[EBP], ESP; } } else version (AsmX86_Windows) { size_t[3] regs = void; asm pure nothrow @nogc { mov [regs + 0 * 4], EBX; mov [regs + 1 * 4], ESI; mov [regs + 2 * 4], EDI; mov sp[EBP], ESP; } } else version (AsmX86_64_Posix) { size_t[5] regs = void; asm pure nothrow @nogc { mov [regs + 0 * 8], RBX; mov [regs + 1 * 8], R12; mov [regs + 2 * 8], R13; mov [regs + 3 * 8], R14; mov [regs + 4 * 8], R15; mov sp[RBP], RSP; } } else version (AsmX86_64_Windows) { size_t[7] regs = void; asm pure nothrow @nogc { mov [regs + 0 * 8], RBX; mov [regs + 1 * 8], RSI; mov [regs + 2 * 8], RDI; mov [regs + 3 * 8], R12; mov [regs + 4 * 8], R13; mov [regs + 5 * 8], R14; mov [regs + 6 * 8], R15; mov sp[RBP], RSP; } } else { static assert(false, "Architecture not supported."); } fn(sp); } } // Used for suspendAll/resumeAll below. private __gshared uint suspendDepth = 0; /** * Suspend the specified thread and load stack and register information for * use by thread_scanAll. If the supplied thread is the calling thread, * stack and register information will be loaded but the thread will not * be suspended. If the suspend operation fails and the thread is not * running then it will be removed from the global thread list, otherwise * an exception will be thrown. * * Params: * t = The thread to suspend. * * Throws: * ThreadError if the suspend operation fails for a running thread. */ private void suspend( Thread t ) nothrow { version( Windows ) { if( t.m_addr != GetCurrentThreadId() && SuspendThread( t.m_hndl ) == 0xFFFFFFFF ) { if( !t.isRunning ) { Thread.remove( t ); return; } onThreadError( "Unable to suspend thread" ); } CONTEXT context = void; context.ContextFlags = CONTEXT_INTEGER | CONTEXT_CONTROL; if( !GetThreadContext( t.m_hndl, &context ) ) onThreadError( "Unable to load thread context" ); version( X86 ) { if( !t.m_lock ) t.m_curr.tstack = cast(void*) context.Esp; // eax,ebx,ecx,edx,edi,esi,ebp,esp t.m_reg[0] = context.Eax; t.m_reg[1] = context.Ebx; t.m_reg[2] = context.Ecx; t.m_reg[3] = context.Edx; t.m_reg[4] = context.Edi; t.m_reg[5] = context.Esi; t.m_reg[6] = context.Ebp; t.m_reg[7] = context.Esp; } else version( X86_64 ) { if( !t.m_lock ) t.m_curr.tstack = cast(void*) context.Rsp; // rax,rbx,rcx,rdx,rdi,rsi,rbp,rsp t.m_reg[0] = context.Rax; t.m_reg[1] = context.Rbx; t.m_reg[2] = context.Rcx; t.m_reg[3] = context.Rdx; t.m_reg[4] = context.Rdi; t.m_reg[5] = context.Rsi; t.m_reg[6] = context.Rbp; t.m_reg[7] = context.Rsp; // r8,r9,r10,r11,r12,r13,r14,r15 t.m_reg[8] = context.R8; t.m_reg[9] = context.R9; t.m_reg[10] = context.R10; t.m_reg[11] = context.R11; t.m_reg[12] = context.R12; t.m_reg[13] = context.R13; t.m_reg[14] = context.R14; t.m_reg[15] = context.R15; } else { static assert(false, "Architecture not supported." ); } } else version( OSX ) { if( t.m_addr != pthread_self() && thread_suspend( t.m_tmach ) != KERN_SUCCESS ) { if( !t.isRunning ) { Thread.remove( t ); return; } onThreadError( "Unable to suspend thread" ); } version( X86 ) { x86_thread_state32_t state = void; mach_msg_type_number_t count = x86_THREAD_STATE32_COUNT; if( thread_get_state( t.m_tmach, x86_THREAD_STATE32, &state, &count ) != KERN_SUCCESS ) onThreadError( "Unable to load thread state" ); if( !t.m_lock ) t.m_curr.tstack = cast(void*) state.esp; // eax,ebx,ecx,edx,edi,esi,ebp,esp t.m_reg[0] = state.eax; t.m_reg[1] = state.ebx; t.m_reg[2] = state.ecx; t.m_reg[3] = state.edx; t.m_reg[4] = state.edi; t.m_reg[5] = state.esi; t.m_reg[6] = state.ebp; t.m_reg[7] = state.esp; } else version( X86_64 ) { x86_thread_state64_t state = void; mach_msg_type_number_t count = x86_THREAD_STATE64_COUNT; if( thread_get_state( t.m_tmach, x86_THREAD_STATE64, &state, &count ) != KERN_SUCCESS ) onThreadError( "Unable to load thread state" ); if( !t.m_lock ) t.m_curr.tstack = cast(void*) state.rsp; // rax,rbx,rcx,rdx,rdi,rsi,rbp,rsp t.m_reg[0] = state.rax; t.m_reg[1] = state.rbx; t.m_reg[2] = state.rcx; t.m_reg[3] = state.rdx; t.m_reg[4] = state.rdi; t.m_reg[5] = state.rsi; t.m_reg[6] = state.rbp; t.m_reg[7] = state.rsp; // r8,r9,r10,r11,r12,r13,r14,r15 t.m_reg[8] = state.r8; t.m_reg[9] = state.r9; t.m_reg[10] = state.r10; t.m_reg[11] = state.r11; t.m_reg[12] = state.r12; t.m_reg[13] = state.r13; t.m_reg[14] = state.r14; t.m_reg[15] = state.r15; } else { static assert(false, "Architecture not supported." ); } } else version( Posix ) { if( t.m_addr != pthread_self() ) { Lagain: if( pthread_kill( t.m_addr, suspendSignalNumber ) != 0 ) { if( !t.isRunning ) { Thread.remove( t ); return; } onThreadError( "Unable to suspend thread" ); } while (sem_wait(&suspendCount) != 0) { if (errno != EINTR) onThreadError( "Unable to wait for semaphore" ); errno = 0; } version (FreeBSD) { // avoid deadlocks, see Issue 13416 if (Thread.sm_suspendagain) goto Lagain; } } else if( !t.m_lock ) { t.m_curr.tstack = getStackTop(); } } } /** * Suspend all threads but the calling thread for "stop the world" garbage * collection runs. This function may be called multiple times, and must * be followed by a matching number of calls to thread_resumeAll before * processing is resumed. * * Throws: * ThreadError if the suspend operation fails for a running thread. */ extern (C) void thread_suspendAll() nothrow { // NOTE: We've got an odd chicken & egg problem here, because while the GC // is required to call thread_init before calling any other thread // routines, thread_init may allocate memory which could in turn // trigger a collection. Thus, thread_suspendAll, thread_scanAll, // and thread_resumeAll must be callable before thread_init // completes, with the assumption that no other GC memory has yet // been allocated by the system, and thus there is no risk of losing // data if the global thread list is empty. The check of // Thread.sm_tbeg below is done to ensure thread_init has completed, // and therefore that calling Thread.getThis will not result in an // error. For the short time when Thread.sm_tbeg is null, there is // no reason not to simply call the multithreaded code below, with // the expectation that the foreach loop will never be entered. if( !multiThreadedFlag && Thread.sm_tbeg ) { if( ++suspendDepth == 1 ) suspend( Thread.getThis() ); return; } Thread.slock.lock_nothrow(); { if( ++suspendDepth > 1 ) return; // NOTE: I'd really prefer not to check isRunning within this loop but // not doing so could be problematic if threads are terminated // abnormally and a new thread is created with the same thread // address before the next GC run. This situation might cause // the same thread to be suspended twice, which would likely // cause the second suspend to fail, the garbage collection to // abort, and Bad Things to occur. Thread.criticalRegionLock.lock_nothrow(); for (Thread t = Thread.sm_tbeg; t !is null; t = t.next) { Duration waittime = dur!"usecs"(10); Lagain: if (!t.isRunning) { Thread.remove(t); } else if (t.m_isInCriticalRegion) { Thread.criticalRegionLock.unlock_nothrow(); Thread.sleep(waittime); if (waittime < dur!"msecs"(10)) waittime *= 2; Thread.criticalRegionLock.lock_nothrow(); goto Lagain; } else { suspend(t); } } Thread.criticalRegionLock.unlock_nothrow(); } } /** * Resume the specified thread and unload stack and register information. * If the supplied thread is the calling thread, stack and register * information will be unloaded but the thread will not be resumed. If * the resume operation fails and the thread is not running then it will * be removed from the global thread list, otherwise an exception will be * thrown. * * Params: * t = The thread to resume. * * Throws: * ThreadError if the resume fails for a running thread. */ private void resume( Thread t ) nothrow { version( Windows ) { if( t.m_addr != GetCurrentThreadId() && ResumeThread( t.m_hndl ) == 0xFFFFFFFF ) { if( !t.isRunning ) { Thread.remove( t ); return; } onThreadError( "Unable to resume thread" ); } if( !t.m_lock ) t.m_curr.tstack = t.m_curr.bstack; t.m_reg[0 .. $] = 0; } else version( OSX ) { if( t.m_addr != pthread_self() && thread_resume( t.m_tmach ) != KERN_SUCCESS ) { if( !t.isRunning ) { Thread.remove( t ); return; } onThreadError( "Unable to resume thread" ); } if( !t.m_lock ) t.m_curr.tstack = t.m_curr.bstack; t.m_reg[0 .. $] = 0; } else version( Posix ) { if( t.m_addr != pthread_self() ) { if( pthread_kill( t.m_addr, resumeSignalNumber ) != 0 ) { if( !t.isRunning ) { Thread.remove( t ); return; } onThreadError( "Unable to resume thread" ); } } else if( !t.m_lock ) { t.m_curr.tstack = t.m_curr.bstack; } } } /** * Resume all threads but the calling thread for "stop the world" garbage * collection runs. This function must be called once for each preceding * call to thread_suspendAll before the threads are actually resumed. * * In: * This routine must be preceded by a call to thread_suspendAll. * * Throws: * ThreadError if the resume operation fails for a running thread. */ extern (C) void thread_resumeAll() nothrow in { assert( suspendDepth > 0 ); } body { // NOTE: See thread_suspendAll for the logic behind this. if( !multiThreadedFlag && Thread.sm_tbeg ) { if( --suspendDepth == 0 ) resume( Thread.getThis() ); return; } scope(exit) Thread.slock.unlock_nothrow(); { if( --suspendDepth > 0 ) return; for( Thread t = Thread.sm_tbeg; t; t = t.next ) { // NOTE: We do not need to care about critical regions at all // here. thread_suspendAll takes care of everything. resume( t ); } } } /** * Indicates the kind of scan being performed by $(D thread_scanAllType). */ enum ScanType { stack, /// The stack and/or registers are being scanned. tls, /// TLS data is being scanned. } alias void delegate(void*, void*) nothrow ScanAllThreadsFn; /// The scanning function. alias void delegate(ScanType, void*, void*) nothrow ScanAllThreadsTypeFn; /// ditto /** * The main entry point for garbage collection. The supplied delegate * will be passed ranges representing both stack and register values. * * Params: * scan = The scanner function. It should scan from p1 through p2 - 1. * * In: * This routine must be preceded by a call to thread_suspendAll. */ extern (C) void thread_scanAllType( scope ScanAllThreadsTypeFn scan ) nothrow in { assert( suspendDepth > 0 ); } body { callWithStackShell(sp => scanAllTypeImpl(scan, sp)); } private void scanAllTypeImpl( scope ScanAllThreadsTypeFn scan, void* curStackTop ) nothrow { Thread thisThread = null; void* oldStackTop = null; if( Thread.sm_tbeg ) { thisThread = Thread.getThis(); if( !thisThread.m_lock ) { oldStackTop = thisThread.m_curr.tstack; thisThread.m_curr.tstack = curStackTop; } } scope( exit ) { if( Thread.sm_tbeg ) { if( !thisThread.m_lock ) { thisThread.m_curr.tstack = oldStackTop; } } } // NOTE: Synchronizing on Thread.slock is not needed because this // function may only be called after all other threads have // been suspended from within the same lock. for( Thread.Context* c = Thread.sm_cbeg; c; c = c.next ) { version( StackGrowsDown ) { // NOTE: We can't index past the bottom of the stack // so don't do the "+1" for StackGrowsDown. if( c.tstack && c.tstack < c.bstack ) scan( ScanType.stack, c.tstack, c.bstack ); } else { if( c.bstack && c.bstack < c.tstack ) scan( ScanType.stack, c.bstack, c.tstack + 1 ); } } for( Thread t = Thread.sm_tbeg; t; t = t.next ) { version( Windows ) { // Ideally, we'd pass ScanType.regs or something like that, but this // would make portability annoying because it only makes sense on Windows. scan( ScanType.stack, t.m_reg.ptr, t.m_reg.ptr + t.m_reg.length ); } if (t.m_tlsgcdata !is null) rt_tlsgc_scan(t.m_tlsgcdata, (p1, p2) => scan(ScanType.tls, p1, p2)); } } /** * The main entry point for garbage collection. The supplied delegate * will be passed ranges representing both stack and register values. * * Params: * scan = The scanner function. It should scan from p1 through p2 - 1. * * In: * This routine must be preceded by a call to thread_suspendAll. */ extern (C) void thread_scanAll( scope ScanAllThreadsFn scan ) nothrow { thread_scanAllType((type, p1, p2) => scan(p1, p2)); } /** * Signals that the code following this call is a critical region. Any code in * this region must finish running before the calling thread can be suspended * by a call to thread_suspendAll. * * This function is, in particular, meant to help maintain garbage collector * invariants when a lock is not used. * * A critical region is exited with thread_exitCriticalRegion. * * $(RED Warning): * Using critical regions is extremely error-prone. For instance, using locks * inside a critical region can easily result in a deadlock when another thread * holding the lock already got suspended. * * The term and concept of a 'critical region' comes from * $(LINK2 https://github.com/mono/mono/blob/521f4a198e442573c400835ef19bbb36b60b0ebb/mono/metadata/sgen-gc.h#L925 Mono's SGen garbage collector). * * In: * The calling thread must be attached to the runtime. */ extern (C) void thread_enterCriticalRegion() in { assert(Thread.getThis()); } body { synchronized (Thread.criticalRegionLock) Thread.getThis().m_isInCriticalRegion = true; } /** * Signals that the calling thread is no longer in a critical region. Following * a call to this function, the thread can once again be suspended. * * In: * The calling thread must be attached to the runtime. */ extern (C) void thread_exitCriticalRegion() in { assert(Thread.getThis()); } body { synchronized (Thread.criticalRegionLock) Thread.getThis().m_isInCriticalRegion = false; } /** * Returns true if the current thread is in a critical region; otherwise, false. * * In: * The calling thread must be attached to the runtime. */ extern (C) bool thread_inCriticalRegion() in { assert(Thread.getThis()); } body { synchronized (Thread.criticalRegionLock) return Thread.getThis().m_isInCriticalRegion; } /** * A callback for thread errors in D during collections. Since an allocation is not possible * a preallocated ThreadError will be used as the Error instance * * Throws: * ThreadError. */ private void onThreadError(string msg = null, Throwable next = null) nothrow { __gshared ThreadError error = new ThreadError(null); error.msg = msg; error.next = next; throw error; } unittest { assert(!thread_inCriticalRegion()); { thread_enterCriticalRegion(); scope (exit) thread_exitCriticalRegion(); assert(thread_inCriticalRegion()); } assert(!thread_inCriticalRegion()); } unittest { // NOTE: This entire test is based on the assumption that no // memory is allocated after the child thread is // started. If an allocation happens, a collection could // trigger, which would cause the synchronization below // to cause a deadlock. // NOTE: DO NOT USE LOCKS IN CRITICAL REGIONS IN NORMAL CODE. import core.sync.semaphore; auto sema = new Semaphore(), semb = new Semaphore(); auto thr = new Thread( { thread_enterCriticalRegion(); assert(thread_inCriticalRegion()); sema.notify(); semb.wait(); assert(thread_inCriticalRegion()); thread_exitCriticalRegion(); assert(!thread_inCriticalRegion()); sema.notify(); semb.wait(); assert(!thread_inCriticalRegion()); }); thr.start(); sema.wait(); synchronized (Thread.criticalRegionLock) assert(thr.m_isInCriticalRegion); semb.notify(); sema.wait(); synchronized (Thread.criticalRegionLock) assert(!thr.m_isInCriticalRegion); semb.notify(); thr.join(); } unittest { import core.sync.semaphore; shared bool inCriticalRegion; auto sema = new Semaphore(), semb = new Semaphore(); auto thr = new Thread( { thread_enterCriticalRegion(); inCriticalRegion = true; sema.notify(); semb.wait(); Thread.sleep(dur!"msecs"(1)); inCriticalRegion = false; thread_exitCriticalRegion(); }); thr.start(); sema.wait(); assert(inCriticalRegion); semb.notify(); thread_suspendAll(); assert(!inCriticalRegion); thread_resumeAll(); } /** * Indicates whether an address has been marked by the GC. */ enum IsMarked : int { no, /// Address is not marked. yes, /// Address is marked. unknown, /// Address is not managed by the GC. } alias int delegate( void* addr ) nothrow IsMarkedDg; /// The isMarked callback function. /** * This routine allows the runtime to process any special per-thread handling * for the GC. This is needed for taking into account any memory that is * referenced by non-scanned pointers but is about to be freed. That currently * means the array append cache. * * Params: * isMarked = The function used to check if $(D addr) is marked. * * In: * This routine must be called just prior to resuming all threads. */ extern(C) void thread_processGCMarks( scope IsMarkedDg isMarked ) nothrow { for( Thread t = Thread.sm_tbeg; t; t = t.next ) { /* Can be null if collection was triggered between adding a * thread and calling rt_tlsgc_init. */ if (t.m_tlsgcdata !is null) rt_tlsgc_processGCMarks(t.m_tlsgcdata, isMarked); } } extern (C) { nothrow: version (linux) int pthread_getattr_np(pthread_t thread, pthread_attr_t* attr); version (FreeBSD) int pthread_attr_get_np(pthread_t thread, pthread_attr_t* attr); version (Solaris) int thr_stksegment(stack_t* stk); version (Android) int pthread_getattr_np(pthread_t thid, pthread_attr_t* attr); } private void* getStackTop() nothrow { version (D_InlineAsm_X86) asm pure nothrow @nogc { naked; mov EAX, ESP; ret; } else version (D_InlineAsm_X86_64) asm pure nothrow @nogc { naked; mov RAX, RSP; ret; } else version (GNU) return __builtin_frame_address(0); else static assert(false, "Architecture not supported."); } private void* getStackBottom() nothrow { version (Windows) { version (D_InlineAsm_X86) asm pure nothrow @nogc { naked; mov EAX, FS:4; ret; } else version(D_InlineAsm_X86_64) asm pure nothrow @nogc { naked; mov RAX, 8; mov RAX, GS:[RAX]; ret; } else static assert(false, "Architecture not supported."); } else version (OSX) { import core.sys.osx.pthread; return pthread_get_stackaddr_np(pthread_self()); } else version (linux) { pthread_attr_t attr; void* addr; size_t size; pthread_getattr_np(pthread_self(), &attr); pthread_attr_getstack(&attr, &addr, &size); pthread_attr_destroy(&attr); return addr + size; } else version (FreeBSD) { pthread_attr_t attr; void* addr; size_t size; pthread_attr_init(&attr); pthread_attr_get_np(pthread_self(), &attr); pthread_attr_getstack(&attr, &addr, &size); pthread_attr_destroy(&attr); return addr + size; } else version (Solaris) { stack_t stk; thr_stksegment(&stk); return stk.ss_sp; } else version (Android) { pthread_attr_t attr; void* addr; size_t size; pthread_getattr_np(pthread_self(), &attr); pthread_attr_getstack(&attr, &addr, &size); pthread_attr_destroy(&attr); return addr + size; } else static assert(false, "Platform not supported."); } /** * Returns the stack top of the currently active stack within the calling * thread. * * In: * The calling thread must be attached to the runtime. * * Returns: * The address of the stack top. */ extern (C) void* thread_stackTop() nothrow in { // Not strictly required, but it gives us more flexibility. assert(Thread.getThis()); } body { return getStackTop(); } /** * Returns the stack bottom of the currently active stack within the calling * thread. * * In: * The calling thread must be attached to the runtime. * * Returns: * The address of the stack bottom. */ extern (C) void* thread_stackBottom() nothrow in { assert(Thread.getThis()); } body { return Thread.getThis().topContext().bstack; } /////////////////////////////////////////////////////////////////////////////// // Thread Group /////////////////////////////////////////////////////////////////////////////// /** * This class is intended to simplify certain common programming techniques. */ class ThreadGroup { /** * Creates and starts a new Thread object that executes fn and adds it to * the list of tracked threads. * * Params: * fn = The thread function. * * Returns: * A reference to the newly created thread. */ final Thread create( void function() fn ) { Thread t = new Thread( fn ).start(); synchronized( this ) { m_all[t] = t; } return t; } /** * Creates and starts a new Thread object that executes dg and adds it to * the list of tracked threads. * * Params: * dg = The thread function. * * Returns: * A reference to the newly created thread. */ final Thread create( void delegate() dg ) { Thread t = new Thread( dg ).start(); synchronized( this ) { m_all[t] = t; } return t; } /** * Add t to the list of tracked threads if it is not already being tracked. * * Params: * t = The thread to add. * * In: * t must not be null. */ final void add( Thread t ) in { assert( t ); } body { synchronized( this ) { m_all[t] = t; } } /** * Removes t from the list of tracked threads. No operation will be * performed if t is not currently being tracked by this object. * * Params: * t = The thread to remove. * * In: * t must not be null. */ final void remove( Thread t ) in { assert( t ); } body { synchronized( this ) { m_all.remove( t ); } } /** * Operates on all threads currently tracked by this object. */ final int opApply( scope int delegate( ref Thread ) dg ) { synchronized( this ) { int ret = 0; // NOTE: This loop relies on the knowledge that m_all uses the // Thread object for both the key and the mapped value. foreach( Thread t; m_all.keys ) { ret = dg( t ); if( ret ) break; } return ret; } } /** * Iteratively joins all tracked threads. This function will block add, * remove, and opApply until it completes. * * Params: * rethrow = Rethrow any unhandled exception which may have caused the * current thread to terminate. * * Throws: * Any exception not handled by the joined threads. */ final void joinAll( bool rethrow = true ) { synchronized( this ) { // NOTE: This loop relies on the knowledge that m_all uses the // Thread object for both the key and the mapped value. foreach( Thread t; m_all.keys ) { t.join( rethrow ); } } } private: Thread[Thread] m_all; } /////////////////////////////////////////////////////////////////////////////// // Fiber Platform Detection and Memory Allocation /////////////////////////////////////////////////////////////////////////////// private { version( D_InlineAsm_X86 ) { version( Windows ) version = AsmX86_Windows; else version( Posix ) version = AsmX86_Posix; version( OSX ) version = AlignFiberStackTo16Byte; } else version( D_InlineAsm_X86_64 ) { version( Windows ) { version = AsmX86_64_Windows; version = AlignFiberStackTo16Byte; } else version( Posix ) { version = AsmX86_64_Posix; version = AlignFiberStackTo16Byte; } } else version( PPC ) { version( Posix ) { version = AsmPPC_Posix; version = AsmExternal; } } else version( PPC64 ) { version( Posix ) { version = AlignFiberStackTo16Byte; } } else version( MIPS_O32 ) { version( Posix ) { version = AsmMIPS_O32_Posix; version = AsmExternal; } } else version( ARM ) { version( Posix ) { version = AsmARM_Posix; version = AsmExternal; } } version( Posix ) { import core.sys.posix.unistd; // for sysconf version( AsmX86_Windows ) {} else version( AsmX86_Posix ) {} else version( AsmX86_64_Windows ) {} else version( AsmX86_64_Posix ) {} else version( AsmExternal ) {} else { // NOTE: The ucontext implementation requires architecture specific // data definitions to operate so testing for it must be done // by checking for the existence of ucontext_t rather than by // a version identifier. Please note that this is considered // an obsolescent feature according to the POSIX spec, so a // custom solution is still preferred. import core.sys.posix.ucontext; } } static immutable size_t PAGESIZE; version (Posix) static immutable size_t PTHREAD_STACK_MIN; } shared static this() { version (Windows) { SYSTEM_INFO info; GetSystemInfo(&info); PAGESIZE = info.dwPageSize; assert(PAGESIZE < int.max); } else version (Posix) { PAGESIZE = cast(size_t)sysconf(_SC_PAGESIZE); PTHREAD_STACK_MIN = cast(size_t)sysconf(_SC_THREAD_STACK_MIN); } else { static assert(0, "unimplemented"); } } /////////////////////////////////////////////////////////////////////////////// // Fiber Entry Point and Context Switch /////////////////////////////////////////////////////////////////////////////// private { extern (C) void fiber_entryPoint() { Fiber obj = Fiber.getThis(); assert( obj ); assert( Thread.getThis().m_curr is obj.m_ctxt ); atomicStore!(MemoryOrder.raw)(*cast(shared)&Thread.getThis().m_lock, false); obj.m_ctxt.tstack = obj.m_ctxt.bstack; obj.m_state = Fiber.State.EXEC; try { obj.run(); } catch( Throwable t ) { obj.m_unhandled = t; } static if( __traits( compiles, ucontext_t ) ) obj.m_ucur = &obj.m_utxt; obj.m_state = Fiber.State.TERM; obj.switchOut(); } // Look above the definition of 'class Fiber' for some information about the implementation of this routine version( AsmExternal ) extern (C) void fiber_switchContext( void** oldp, void* newp ) nothrow; else extern (C) void fiber_switchContext( void** oldp, void* newp ) nothrow { // NOTE: The data pushed and popped in this routine must match the // default stack created by Fiber.initStack or the initial // switch into a new context will fail. version( AsmX86_Windows ) { asm pure nothrow @nogc { naked; // save current stack state push EBP; mov EBP, ESP; push EDI; push ESI; push EBX; push dword ptr FS:[0]; push dword ptr FS:[4]; push dword ptr FS:[8]; push EAX; // store oldp again with more accurate address mov EAX, dword ptr 8[EBP]; mov [EAX], ESP; // load newp to begin context switch mov ESP, dword ptr 12[EBP]; // load saved state from new stack pop EAX; pop dword ptr FS:[8]; pop dword ptr FS:[4]; pop dword ptr FS:[0]; pop EBX; pop ESI; pop EDI; pop EBP; // 'return' to complete switch pop ECX; jmp ECX; } } else version( AsmX86_64_Windows ) { asm pure nothrow @nogc { naked; // save current stack state // NOTE: When changing the layout of registers on the stack, // make sure that the XMM registers are still aligned. // On function entry, the stack is guaranteed to not // be aligned to 16 bytes because of the return address // on the stack. push RBP; mov RBP, RSP; push R12; push R13; push R14; push R15; push RDI; push RSI; // 7 registers = 56 bytes; stack is now aligned to 16 bytes sub RSP, 160; movdqa [RSP + 144], XMM6; movdqa [RSP + 128], XMM7; movdqa [RSP + 112], XMM8; movdqa [RSP + 96], XMM9; movdqa [RSP + 80], XMM10; movdqa [RSP + 64], XMM11; movdqa [RSP + 48], XMM12; movdqa [RSP + 32], XMM13; movdqa [RSP + 16], XMM14; movdqa [RSP], XMM15; push RBX; xor RAX,RAX; push qword ptr GS:[RAX]; push qword ptr GS:8[RAX]; push qword ptr GS:16[RAX]; // store oldp mov [RCX], RSP; // load newp to begin context switch mov RSP, RDX; // load saved state from new stack pop qword ptr GS:16[RAX]; pop qword ptr GS:8[RAX]; pop qword ptr GS:[RAX]; pop RBX; movdqa XMM15, [RSP]; movdqa XMM14, [RSP + 16]; movdqa XMM13, [RSP + 32]; movdqa XMM12, [RSP + 48]; movdqa XMM11, [RSP + 64]; movdqa XMM10, [RSP + 80]; movdqa XMM9, [RSP + 96]; movdqa XMM8, [RSP + 112]; movdqa XMM7, [RSP + 128]; movdqa XMM6, [RSP + 144]; add RSP, 160; pop RSI; pop RDI; pop R15; pop R14; pop R13; pop R12; pop RBP; // 'return' to complete switch pop RCX; jmp RCX; } } else version( AsmX86_Posix ) { asm pure nothrow @nogc { naked; // save current stack state push EBP; mov EBP, ESP; push EDI; push ESI; push EBX; push EAX; // store oldp again with more accurate address mov EAX, dword ptr 8[EBP]; mov [EAX], ESP; // load newp to begin context switch mov ESP, dword ptr 12[EBP]; // load saved state from new stack pop EAX; pop EBX; pop ESI; pop EDI; pop EBP; // 'return' to complete switch pop ECX; jmp ECX; } } else version( AsmX86_64_Posix ) { asm pure nothrow @nogc { naked; // save current stack state push RBP; mov RBP, RSP; push RBX; push R12; push R13; push R14; push R15; // store oldp mov [RDI], RSP; // load newp to begin context switch mov RSP, RSI; // load saved state from new stack pop R15; pop R14; pop R13; pop R12; pop RBX; pop RBP; // 'return' to complete switch pop RCX; jmp RCX; } } else static if( __traits( compiles, ucontext_t ) ) { Fiber cfib = Fiber.getThis(); void* ucur = cfib.m_ucur; *oldp = &ucur; swapcontext( **(cast(ucontext_t***) oldp), *(cast(ucontext_t**) newp) ); } else static assert(0, "Not implemented"); } } /////////////////////////////////////////////////////////////////////////////// // Fiber /////////////////////////////////////////////////////////////////////////////// /* * Documentation of Fiber internals: * * The main routines to implement when porting Fibers to new architectures are * fiber_switchContext and initStack. Some version constants have to be defined * for the new platform as well, search for "Fiber Platform Detection and Memory Allocation". * * Fibers are based on a concept called 'Context'. A Context describes the execution * state of a Fiber or main thread which is fully described by the stack, some * registers and a return address at which the Fiber/Thread should continue executing. * Please note that not only each Fiber has a Context, but each thread also has got a * Context which describes the threads stack and state. If you call Fiber fib; fib.call * the first time in a thread you switch from Threads Context into the Fibers Context. * If you call fib.yield in that Fiber you switch out of the Fibers context and back * into the Thread Context. (However, this is not always the case. You can call a Fiber * from within another Fiber, then you switch Contexts between the Fibers and the Thread * Context is not involved) * * In all current implementations the registers and the return address are actually * saved on a Contexts stack. * * The fiber_switchContext routine has got two parameters: * void** a: This is the _location_ where we have to store the current stack pointer, * the stack pointer of the currently executing Context (Fiber or Thread). * void* b: This is the pointer to the stack of the Context which we want to switch into. * Note that we get the same pointer here as the one we stored into the void** a * in a previous call to fiber_switchContext. * * In the simplest case, a fiber_switchContext rountine looks like this: * fiber_switchContext: * push {return Address} * push {registers} * copy {stack pointer} into {location pointed to by a} * //We have now switch to the stack of a different Context! * copy {b} into {stack pointer} * pop {registers} * pop {return Address} * jump to {return Address} * * The GC uses the value returned in parameter a to scan the Fibers stack. It scans from * the stack base to that value. As the GC dislikes false pointers we can actually optimize * this a little: By storing registers which can not contain references to memory managed * by the GC outside of the region marked by the stack base pointer and the stack pointer * saved in fiber_switchContext we can prevent the GC from scanning them. * Such registers are usually floating point registers and the return address. In order to * implement this, we return a modified stack pointer from fiber_switchContext. However, * we have to remember that when we restore the registers from the stack! * * --------------------------- <= Stack Base * | Frame | <= Many other stack frames * | Frame | * |-------------------------| <= The last stack frame. This one is created by fiber_switchContext * | registers with pointers | * | | <= Stack pointer. GC stops scanning here * | return address | * |floating point registers | * --------------------------- <= Real Stack End * * fiber_switchContext: * push {registers with pointers} * copy {stack pointer} into {location pointed to by a} * push {return Address} * push {Floating point registers} * //We have now switch to the stack of a different Context! * copy {b} into {stack pointer} * //We now have to adjust the stack pointer to point to 'Real Stack End' so we can pop * //the FP registers * //+ or - depends on if your stack grows downwards or upwards * {stack pointer} = {stack pointer} +- ({FPRegisters}.sizeof + {return address}.sizeof} * pop {Floating point registers} * pop {return Address} * pop {registers with pointers} * jump to {return Address} * * So the question now is which registers need to be saved? This depends on the specific * architecture ABI of course, but here are some general guidelines: * - If a register is callee-save (if the callee modifies the register it must saved and * restored by the callee) it needs to be saved/restored in switchContext * - If a register is caller-save it needn't be saved/restored. (Calling fiber_switchContext * is a function call and the compiler therefore already must save these registers before * calling fiber_switchContext) * - Argument registers used for passing parameters to functions needn't be saved/restored * - The return register needn't be saved/restored (fiber_switchContext hasn't got a return type) * - All scratch registers needn't be saved/restored * - The link register usually needn't be saved/restored (but sometimes it must be cleared - * see below for details) * - The frame pointer register - if it exists - is usually callee-save * - All current implementations do not save control registers * * What happens on the first switch into a Fiber? We never saved a state for this fiber before, * but the initial state is prepared in the initStack routine. (This routine will also be called * when a Fiber is being resetted). initStack must produce exactly the same stack layout as the * part of fiber_switchContext which saves the registers. Pay special attention to set the stack * pointer correctly if you use the GC optimization mentioned before. the return Address saved in * initStack must be the address of fiber_entrypoint. * * There's now a small but important difference between the first context switch into a fiber and * further context switches. On the first switch, Fiber.call is used and the returnAddress in * fiber_switchContext will point to fiber_entrypoint. The important thing here is that this jump * is a _function call_, we call fiber_entrypoint by jumping before it's function prologue. On later * calls, the user used yield() in a function, and therefore the return address points into a user * function, after the yield call. So here the jump in fiber_switchContext is a _function return_, * not a function call! * * The most important result of this is that on entering a function, i.e. fiber_entrypoint, we * would have to provide a return address / set the link register once fiber_entrypoint * returns. Now fiber_entrypoint does never return and therefore the actual value of the return * address / link register is never read/used and therefore doesn't matter. When fiber_switchContext * performs a _function return_ the value in the link register doesn't matter either. * However, the link register will still be saved to the stack in fiber_entrypoint and some * exception handling / stack unwinding code might read it from this stack location and crash. * The exact solution depends on your architecture, but see the ARM implementation for a way * to deal with this issue. * * The ARM implementation is meant to be used as a kind of documented example implementation. * Look there for a concrete example. * * FIXME: fiber_entrypoint might benefit from a @noreturn attribute, but D doesn't have one. */ /** * This class provides a cooperative concurrency mechanism integrated with the * threading and garbage collection functionality. Calling a fiber may be * considered a blocking operation that returns when the fiber yields (via * Fiber.yield()). Execution occurs within the context of the calling thread * so synchronization is not necessary to guarantee memory visibility so long * as the same thread calls the fiber each time. Please note that there is no * requirement that a fiber be bound to one specific thread. Rather, fibers * may be freely passed between threads so long as they are not currently * executing. Like threads, a new fiber thread may be created using either * derivation or composition, as in the following example. * * Warning: * Status registers are not saved by the current implementations. This means * floating point exception status bits (overflow, divide by 0), rounding mode * and similar stuff is set per-thread, not per Fiber! * * Warning: * On ARM FPU registers are not saved if druntime was compiled as ARM_SoftFloat. * If such a build is used on a ARM_SoftFP system which actually has got a FPU * and other libraries are using the FPU registers (other code is compiled * as ARM_SoftFP) this can cause problems. Druntime must be compiled as * ARM_SoftFP in this case. * * Example: * ---------------------------------------------------------------------- * * class DerivedFiber : Fiber * { * this() * { * super( &run ); * } * * private : * void run() * { * printf( "Derived fiber running.\n" ); * } * } * * void fiberFunc() * { * printf( "Composed fiber running.\n" ); * Fiber.yield(); * printf( "Composed fiber running.\n" ); * } * * // create instances of each type * Fiber derived = new DerivedFiber(); * Fiber composed = new Fiber( &fiberFunc ); * * // call both fibers once * derived.call(); * composed.call(); * printf( "Execution returned to calling context.\n" ); * composed.call(); * * // since each fiber has run to completion, each should have state TERM * assert( derived.state == Fiber.State.TERM ); * assert( composed.state == Fiber.State.TERM ); * * ---------------------------------------------------------------------- * * Authors: Based on a design by Mikola Lysenko. */ class Fiber { /////////////////////////////////////////////////////////////////////////// // Initialization /////////////////////////////////////////////////////////////////////////// /** * Initializes a fiber object which is associated with a static * D function. * * Params: * fn = The fiber function. * sz = The stack size for this fiber. * * In: * fn must not be null. */ this( void function() fn, size_t sz = PAGESIZE*4 ) nothrow in { assert( fn ); } body { allocStack( sz ); reset( fn ); } /** * Initializes a fiber object which is associated with a dynamic * D function. * * Params: * dg = The fiber function. * sz = The stack size for this fiber. * * In: * dg must not be null. */ this( void delegate() dg, size_t sz = PAGESIZE*4 ) nothrow in { assert( dg ); } body { allocStack( sz ); reset( dg ); } /** * Cleans up any remaining resources used by this object. */ ~this() nothrow { // NOTE: A live reference to this object will exist on its associated // stack from the first time its call() method has been called // until its execution completes with State.TERM. Thus, the only // times this dtor should be called are either if the fiber has // terminated (and therefore has no active stack) or if the user // explicitly deletes this object. The latter case is an error // but is not easily tested for, since State.HOLD may imply that // the fiber was just created but has never been run. There is // not a compelling case to create a State.INIT just to offer a // means of ensuring the user isn't violating this object's // contract, so for now this requirement will be enforced by // documentation only. freeStack(); } /////////////////////////////////////////////////////////////////////////// // General Actions /////////////////////////////////////////////////////////////////////////// /** * Transfers execution to this fiber object. The calling context will be * suspended until the fiber calls Fiber.yield() or until it terminates * via an unhandled exception. * * Params: * rethrow = Rethrow any unhandled exception which may have caused this * fiber to terminate. * * In: * This fiber must be in state HOLD. * * Throws: * Any exception not handled by the joined thread. * * Returns: * Any exception not handled by this fiber if rethrow = false, null * otherwise. */ final Throwable call( Rethrow rethrow = Rethrow.yes ) { return rethrow ? call!(Rethrow.yes)() : call!(Rethrow.no); } /// ditto final Throwable call( Rethrow rethrow )() { callImpl(); if( m_unhandled ) { Throwable t = m_unhandled; m_unhandled = null; static if( rethrow ) throw t; else return t; } return null; } /// ditto deprecated("Please pass Fiber.Rethrow.yes or .no instead of a boolean.") final Throwable call( bool rethrow ) { return rethrow ? call!(Rethrow.yes)() : call!(Rethrow.no); } private void callImpl() nothrow in { assert( m_state == State.HOLD ); } body { Fiber cur = getThis(); static if( __traits( compiles, ucontext_t ) ) m_ucur = cur ? &cur.m_utxt : &Fiber.sm_utxt; setThis( this ); this.switchIn(); setThis( cur ); static if( __traits( compiles, ucontext_t ) ) m_ucur = null; // NOTE: If the fiber has terminated then the stack pointers must be // reset. This ensures that the stack for this fiber is not // scanned if the fiber has terminated. This is necessary to // prevent any references lingering on the stack from delaying // the collection of otherwise dead objects. The most notable // being the current object, which is referenced at the top of // fiber_entryPoint. if( m_state == State.TERM ) { m_ctxt.tstack = m_ctxt.bstack; } } /// Flag to control rethrow behavior of $(D $(LREF call)) enum Rethrow : bool { no, yes } /** * Resets this fiber so that it may be re-used, optionally with a * new function/delegate. This routine may only be called for * fibers that have terminated, as doing otherwise could result in * scope-dependent functionality that is not executed. * Stack-based classes, for example, may not be cleaned up * properly if a fiber is reset before it has terminated. * * In: * This fiber must be in state TERM. */ final void reset() nothrow in { assert( m_state == State.TERM || m_state == State.HOLD ); assert( m_ctxt.tstack == m_ctxt.bstack ); } body { m_state = State.HOLD; initStack(); m_unhandled = null; } /// ditto final void reset( void function() fn ) nothrow { reset(); m_fn = fn; m_call = Call.FN; } /// ditto final void reset( void delegate() dg ) nothrow { reset(); m_dg = dg; m_call = Call.DG; } /////////////////////////////////////////////////////////////////////////// // General Properties /////////////////////////////////////////////////////////////////////////// /** * A fiber may occupy one of three states: HOLD, EXEC, and TERM. The HOLD * state applies to any fiber that is suspended and ready to be called. * The EXEC state will be set for any fiber that is currently executing. * And the TERM state is set when a fiber terminates. Once a fiber * terminates, it must be reset before it may be called again. */ enum State { HOLD, /// EXEC, /// TERM /// } /** * Gets the current state of this fiber. * * Returns: * The state of this fiber as an enumerated value. */ final @property State state() const nothrow { return m_state; } /////////////////////////////////////////////////////////////////////////// // Actions on Calling Fiber /////////////////////////////////////////////////////////////////////////// /** * Forces a context switch to occur away from the calling fiber. */ static void yield() nothrow { Fiber cur = getThis(); assert( cur, "Fiber.yield() called with no active fiber" ); assert( cur.m_state == State.EXEC ); static if( __traits( compiles, ucontext_t ) ) cur.m_ucur = &cur.m_utxt; cur.m_state = State.HOLD; cur.switchOut(); cur.m_state = State.EXEC; } /** * Forces a context switch to occur away from the calling fiber and then * throws obj in the calling fiber. * * Params: * t = The object to throw. * * In: * t must not be null. */ static void yieldAndThrow( Throwable t ) nothrow in { assert( t ); } body { Fiber cur = getThis(); assert( cur, "Fiber.yield() called with no active fiber" ); assert( cur.m_state == State.EXEC ); static if( __traits( compiles, ucontext_t ) ) cur.m_ucur = &cur.m_utxt; cur.m_unhandled = t; cur.m_state = State.HOLD; cur.switchOut(); cur.m_state = State.EXEC; } /////////////////////////////////////////////////////////////////////////// // Fiber Accessors /////////////////////////////////////////////////////////////////////////// /** * Provides a reference to the calling fiber or null if no fiber is * currently active. * * Returns: * The fiber object representing the calling fiber or null if no fiber * is currently active within this thread. The result of deleting this object is undefined. */ static Fiber getThis() nothrow { return sm_this; } /////////////////////////////////////////////////////////////////////////// // Static Initialization /////////////////////////////////////////////////////////////////////////// version( Posix ) { static this() { static if( __traits( compiles, ucontext_t ) ) { int status = getcontext( &sm_utxt ); assert( status == 0 ); } } } private: // // Initializes a fiber object which has no associated executable function. // this() nothrow { m_call = Call.NO; } // // Fiber entry point. Invokes the function or delegate passed on // construction (if any). // final void run() { switch( m_call ) { case Call.FN: m_fn(); break; case Call.DG: m_dg(); break; default: break; } } private: // // The type of routine passed on fiber construction. // enum Call { NO, FN, DG } // // Standard fiber data // Call m_call; union { void function() m_fn; void delegate() m_dg; } bool m_isRunning; Throwable m_unhandled; State m_state; private: /////////////////////////////////////////////////////////////////////////// // Stack Management /////////////////////////////////////////////////////////////////////////// // // Allocate a new stack for this fiber. // final void allocStack( size_t sz ) nothrow in { assert( !m_pmem && !m_ctxt ); } body { // adjust alloc size to a multiple of PAGESIZE sz += PAGESIZE - 1; sz -= sz % PAGESIZE; // NOTE: This instance of Thread.Context is dynamic so Fiber objects // can be collected by the GC so long as no user level references // to the object exist. If m_ctxt were not dynamic then its // presence in the global context list would be enough to keep // this object alive indefinitely. An alternative to allocating // room for this struct explicitly would be to mash it into the // base of the stack being allocated below. However, doing so // requires too much special logic to be worthwhile. m_ctxt = new Thread.Context; static if( __traits( compiles, VirtualAlloc ) ) { // reserve memory for stack m_pmem = VirtualAlloc( null, sz + PAGESIZE, MEM_RESERVE, PAGE_NOACCESS ); if( !m_pmem ) onOutOfMemoryError(); version( StackGrowsDown ) { void* stack = m_pmem + PAGESIZE; void* guard = m_pmem; void* pbase = stack + sz; } else { void* stack = m_pmem; void* guard = m_pmem + sz; void* pbase = stack; } // allocate reserved stack segment stack = VirtualAlloc( stack, sz, MEM_COMMIT, PAGE_READWRITE ); if( !stack ) onOutOfMemoryError(); // allocate reserved guard page guard = VirtualAlloc( guard, PAGESIZE, MEM_COMMIT, PAGE_READWRITE | PAGE_GUARD ); if( !guard ) onOutOfMemoryError(); m_ctxt.bstack = pbase; m_ctxt.tstack = pbase; m_size = sz; } else { version (Posix) import core.sys.posix.sys.mman; // mmap version (FreeBSD) import core.sys.freebsd.sys.mman : MAP_ANON; version (linux) import core.sys.linux.sys.mman : MAP_ANON; version (OSX) import core.sys.osx.sys.mman : MAP_ANON; static if( __traits( compiles, mmap ) ) { m_pmem = mmap( null, sz, PROT_READ | PROT_WRITE, MAP_PRIVATE | MAP_ANON, -1, 0 ); if( m_pmem == MAP_FAILED ) m_pmem = null; } else static if( __traits( compiles, valloc ) ) { m_pmem = valloc( sz ); } else static if( __traits( compiles, malloc ) ) { m_pmem = malloc( sz ); } else { m_pmem = null; } if( !m_pmem ) onOutOfMemoryError(); version( StackGrowsDown ) { m_ctxt.bstack = m_pmem + sz; m_ctxt.tstack = m_pmem + sz; } else { m_ctxt.bstack = m_pmem; m_ctxt.tstack = m_pmem; } m_size = sz; } Thread.add( m_ctxt ); } // // Free this fiber's stack. // final void freeStack() nothrow in { assert( m_pmem && m_ctxt ); } body { // NOTE: m_ctxt is guaranteed to be alive because it is held in the // global context list. Thread.slock.lock_nothrow(); scope(exit) Thread.slock.unlock_nothrow(); Thread.remove( m_ctxt ); static if( __traits( compiles, VirtualAlloc ) ) { VirtualFree( m_pmem, 0, MEM_RELEASE ); } else { import core.sys.posix.sys.mman; // munmap static if( __traits( compiles, mmap ) ) { munmap( m_pmem, m_size ); } else static if( __traits( compiles, valloc ) ) { free( m_pmem ); } else static if( __traits( compiles, malloc ) ) { free( m_pmem ); } } m_pmem = null; m_ctxt = null; } // // Initialize the allocated stack. // Look above the definition of 'class Fiber' for some information about the implementation of this routine // final void initStack() nothrow in { assert( m_ctxt.tstack && m_ctxt.tstack == m_ctxt.bstack ); assert( cast(size_t) m_ctxt.bstack % (void*).sizeof == 0 ); } body { void* pstack = m_ctxt.tstack; scope( exit ) m_ctxt.tstack = pstack; void push( size_t val ) nothrow { version( StackGrowsDown ) { pstack -= size_t.sizeof; *(cast(size_t*) pstack) = val; } else { pstack += size_t.sizeof; *(cast(size_t*) pstack) = val; } } // NOTE: On OS X the stack must be 16-byte aligned according // to the IA-32 call spec. For x86_64 the stack also needs to // be aligned to 16-byte according to SysV AMD64 ABI. version( AlignFiberStackTo16Byte ) { version( StackGrowsDown ) { pstack = cast(void*)(cast(size_t)(pstack) - (cast(size_t)(pstack) & 0x0F)); } else { pstack = cast(void*)(cast(size_t)(pstack) + (cast(size_t)(pstack) & 0x0F)); } } version( AsmX86_Windows ) { version( StackGrowsDown ) {} else static assert( false ); // On Windows Server 2008 and 2008 R2, an exploit mitigation // technique known as SEHOP is activated by default. To avoid // hijacking of the exception handler chain, the presence of a // Windows-internal handler (ntdll.dll!FinalExceptionHandler) at // its end is tested by RaiseException. If it is not present, all // handlers are disregarded, and the program is thus aborted // (see http://blogs.technet.com/b/srd/archive/2009/02/02/ // preventing-the-exploitation-of-seh-overwrites-with-sehop.aspx). // For new threads, this handler is installed by Windows immediately // after creation. To make exception handling work in fibers, we // have to insert it for our new stacks manually as well. // // To do this, we first determine the handler by traversing the SEH // chain of the current thread until its end, and then construct a // registration block for the last handler on the newly created // thread. We then continue to push all the initial register values // for the first context switch as for the other implementations. // // Note that this handler is never actually invoked, as we install // our own one on top of it in the fiber entry point function. // Thus, it should not have any effects on OSes not implementing // exception chain verification. alias void function() fp_t; // Actual signature not relevant. static struct EXCEPTION_REGISTRATION { EXCEPTION_REGISTRATION* next; // sehChainEnd if last one. fp_t handler; } enum sehChainEnd = cast(EXCEPTION_REGISTRATION*) 0xFFFFFFFF; __gshared static fp_t finalHandler = null; if ( finalHandler is null ) { static EXCEPTION_REGISTRATION* fs0() nothrow { asm pure nothrow @nogc { naked; mov EAX, FS:[0]; ret; } } auto reg = fs0(); while ( reg.next != sehChainEnd ) reg = reg.next; // Benign races are okay here, just to avoid re-lookup on every // fiber creation. finalHandler = reg.handler; } pstack -= EXCEPTION_REGISTRATION.sizeof; *(cast(EXCEPTION_REGISTRATION*)pstack) = EXCEPTION_REGISTRATION( sehChainEnd, finalHandler ); push( cast(size_t) &fiber_entryPoint ); // EIP push( cast(size_t) m_ctxt.bstack - EXCEPTION_REGISTRATION.sizeof ); // EBP push( 0x00000000 ); // EDI push( 0x00000000 ); // ESI push( 0x00000000 ); // EBX push( cast(size_t) m_ctxt.bstack - EXCEPTION_REGISTRATION.sizeof ); // FS:[0] push( cast(size_t) m_ctxt.bstack ); // FS:[4] push( cast(size_t) m_ctxt.bstack - m_size ); // FS:[8] push( 0x00000000 ); // EAX } else version( AsmX86_64_Windows ) { // Using this trampoline instead of the raw fiber_entryPoint // ensures that during context switches, source and destination // stacks have the same alignment. Otherwise, the stack would need // to be shifted by 8 bytes for the first call, as fiber_entryPoint // is an actual function expecting a stack which is not aligned // to 16 bytes. static void trampoline() { asm pure nothrow @nogc { naked; sub RSP, 32; // Shadow space (Win64 calling convention) call fiber_entryPoint; xor RCX, RCX; // This should never be reached, as jmp RCX; // fiber_entryPoint must never return. } } push( cast(size_t) &trampoline ); // RIP push( 0x00000000_00000000 ); // RBP push( 0x00000000_00000000 ); // R12 push( 0x00000000_00000000 ); // R13 push( 0x00000000_00000000 ); // R14 push( 0x00000000_00000000 ); // R15 push( 0x00000000_00000000 ); // RDI push( 0x00000000_00000000 ); // RSI push( 0x00000000_00000000 ); // XMM6 (high) push( 0x00000000_00000000 ); // XMM6 (low) push( 0x00000000_00000000 ); // XMM7 (high) push( 0x00000000_00000000 ); // XMM7 (low) push( 0x00000000_00000000 ); // XMM8 (high) push( 0x00000000_00000000 ); // XMM8 (low) push( 0x00000000_00000000 ); // XMM9 (high) push( 0x00000000_00000000 ); // XMM9 (low) push( 0x00000000_00000000 ); // XMM10 (high) push( 0x00000000_00000000 ); // XMM10 (low) push( 0x00000000_00000000 ); // XMM11 (high) push( 0x00000000_00000000 ); // XMM11 (low) push( 0x00000000_00000000 ); // XMM12 (high) push( 0x00000000_00000000 ); // XMM12 (low) push( 0x00000000_00000000 ); // XMM13 (high) push( 0x00000000_00000000 ); // XMM13 (low) push( 0x00000000_00000000 ); // XMM14 (high) push( 0x00000000_00000000 ); // XMM14 (low) push( 0x00000000_00000000 ); // XMM15 (high) push( 0x00000000_00000000 ); // XMM15 (low) push( 0x00000000_00000000 ); // RBX push( 0xFFFFFFFF_FFFFFFFF ); // GS:[0] version( StackGrowsDown ) { push( cast(size_t) m_ctxt.bstack ); // GS:[8] push( cast(size_t) m_ctxt.bstack - m_size ); // GS:[16] } else { push( cast(size_t) m_ctxt.bstack ); // GS:[8] push( cast(size_t) m_ctxt.bstack + m_size ); // GS:[16] } } else version( AsmX86_Posix ) { push( 0x00000000 ); // Return address of fiber_entryPoint call push( cast(size_t) &fiber_entryPoint ); // EIP push( cast(size_t) m_ctxt.bstack ); // EBP push( 0x00000000 ); // EDI push( 0x00000000 ); // ESI push( 0x00000000 ); // EBX push( 0x00000000 ); // EAX } else version( AsmX86_64_Posix ) { push( 0x00000000_00000000 ); // Return address of fiber_entryPoint call push( cast(size_t) &fiber_entryPoint ); // RIP push( cast(size_t) m_ctxt.bstack ); // RBP push( 0x00000000_00000000 ); // RBX push( 0x00000000_00000000 ); // R12 push( 0x00000000_00000000 ); // R13 push( 0x00000000_00000000 ); // R14 push( 0x00000000_00000000 ); // R15 } else version( AsmPPC_Posix ) { version( StackGrowsDown ) { pstack -= int.sizeof * 5; } else { pstack += int.sizeof * 5; } push( cast(size_t) &fiber_entryPoint ); // link register push( 0x00000000 ); // control register push( 0x00000000 ); // old stack pointer // GPR values version( StackGrowsDown ) { pstack -= int.sizeof * 20; } else { pstack += int.sizeof * 20; } assert( (cast(size_t) pstack & 0x0f) == 0 ); } else version( AsmMIPS_O32_Posix ) { version (StackGrowsDown) {} else static assert(0); /* We keep the FP registers and the return address below * the stack pointer, so they don't get scanned by the * GC. The last frame before swapping the stack pointer is * organized like the following. * * |-----------|<= frame pointer * | $gp | * | $s0-8 | * |-----------|<= stack pointer * | $ra | * | align(8) | * | $f20-30 | * |-----------| * */ enum SZ_GP = 10 * size_t.sizeof; // $gp + $s0-8 enum SZ_RA = size_t.sizeof; // $ra version (MIPS_HardFloat) { enum SZ_FP = 6 * 8; // $f20-30 enum ALIGN = -(SZ_FP + SZ_RA) & (8 - 1); } else { enum SZ_FP = 0; enum ALIGN = 0; } enum BELOW = SZ_FP + ALIGN + SZ_RA; enum ABOVE = SZ_GP; enum SZ = BELOW + ABOVE; (cast(ubyte*)pstack - SZ)[0 .. SZ] = 0; pstack -= ABOVE; *cast(size_t*)(pstack - SZ_RA) = cast(size_t)&fiber_entryPoint; } else version( AsmARM_Posix ) { /* We keep the FP registers and the return address below * the stack pointer, so they don't get scanned by the * GC. The last frame before swapping the stack pointer is * organized like the following. * * | |-----------|<= 'frame starts here' * | | fp | (the actual frame pointer, r11 isn't * | | r10-r4 | updated and still points to the previous frame) * | |-----------|<= stack pointer * | | lr | * | | 4byte pad | * | | d15-d8 |(if FP supported) * | |-----------| * Y * stack grows down: The pointer value here is smaller than some lines above */ // frame pointer can be zero, r10-r4 also zero initialized version( StackGrowsDown ) pstack -= int.sizeof * 8; else static assert(false, "Only full descending stacks supported on ARM"); // link register push( cast(size_t) &fiber_entryPoint ); /* * We do not push padding and d15-d8 as those are zero initialized anyway * Position the stack pointer above the lr register */ pstack += int.sizeof * 1; } else static if( __traits( compiles, ucontext_t ) ) { getcontext( &m_utxt ); m_utxt.uc_stack.ss_sp = m_pmem; m_utxt.uc_stack.ss_size = m_size; makecontext( &m_utxt, &fiber_entryPoint, 0 ); // NOTE: If ucontext is being used then the top of the stack will // be a pointer to the ucontext_t struct for that fiber. push( cast(size_t) &m_utxt ); } else static assert(0, "Not implemented"); } Thread.Context* m_ctxt; size_t m_size; void* m_pmem; static if( __traits( compiles, ucontext_t ) ) { // NOTE: The static ucontext instance is used to represent the context // of the executing thread. static ucontext_t sm_utxt = void; ucontext_t m_utxt = void; ucontext_t* m_ucur = null; } private: /////////////////////////////////////////////////////////////////////////// // Storage of Active Fiber /////////////////////////////////////////////////////////////////////////// // // Sets a thread-local reference to the current fiber object. // static void setThis( Fiber f ) nothrow { sm_this = f; } static Fiber sm_this; private: /////////////////////////////////////////////////////////////////////////// // Context Switching /////////////////////////////////////////////////////////////////////////// // // Switches into the stack held by this fiber. // final void switchIn() nothrow { Thread tobj = Thread.getThis(); void** oldp = &tobj.m_curr.tstack; void* newp = m_ctxt.tstack; // NOTE: The order of operations here is very important. The current // stack top must be stored before m_lock is set, and pushContext // must not be called until after m_lock is set. This process // is intended to prevent a race condition with the suspend // mechanism used for garbage collection. If it is not followed, // a badly timed collection could cause the GC to scan from the // bottom of one stack to the top of another, or to miss scanning // a stack that still contains valid data. The old stack pointer // oldp will be set again before the context switch to guarantee // that it points to exactly the correct stack location so the // successive pop operations will succeed. *oldp = getStackTop(); atomicStore!(MemoryOrder.raw)(*cast(shared)&tobj.m_lock, true); tobj.pushContext( m_ctxt ); fiber_switchContext( oldp, newp ); // NOTE: As above, these operations must be performed in a strict order // to prevent Bad Things from happening. tobj.popContext(); atomicStore!(MemoryOrder.raw)(*cast(shared)&tobj.m_lock, false); tobj.m_curr.tstack = tobj.m_curr.bstack; } // // Switches out of the current stack and into the enclosing stack. // final void switchOut() nothrow { Thread tobj = Thread.getThis(); void** oldp = &m_ctxt.tstack; void* newp = tobj.m_curr.within.tstack; // NOTE: The order of operations here is very important. The current // stack top must be stored before m_lock is set, and pushContext // must not be called until after m_lock is set. This process // is intended to prevent a race condition with the suspend // mechanism used for garbage collection. If it is not followed, // a badly timed collection could cause the GC to scan from the // bottom of one stack to the top of another, or to miss scanning // a stack that still contains valid data. The old stack pointer // oldp will be set again before the context switch to guarantee // that it points to exactly the correct stack location so the // successive pop operations will succeed. *oldp = getStackTop(); atomicStore!(MemoryOrder.raw)(*cast(shared)&tobj.m_lock, true); fiber_switchContext( oldp, newp ); // NOTE: As above, these operations must be performed in a strict order // to prevent Bad Things from happening. // NOTE: If use of this fiber is multiplexed across threads, the thread // executing here may be different from the one above, so get the // current thread handle before unlocking, etc. tobj = Thread.getThis(); atomicStore!(MemoryOrder.raw)(*cast(shared)&tobj.m_lock, false); tobj.m_curr.tstack = tobj.m_curr.bstack; } } version( unittest ) { class TestFiber : Fiber { this() { super(&run); } void run() { foreach(i; 0 .. 1000) { sum += i; Fiber.yield(); } } enum expSum = 1000 * 999 / 2; size_t sum; } void runTen() { TestFiber[10] fibs; foreach(ref fib; fibs) fib = new TestFiber(); bool cont; do { cont = false; foreach(fib; fibs) { if (fib.state == Fiber.State.HOLD) { fib.call(); cont |= fib.state != Fiber.State.TERM; } } } while (cont); foreach(fib; fibs) { assert(fib.sum == TestFiber.expSum); } } } // Single thread running separate fibers unittest { runTen(); } // Multiple threads running separate fibers unittest { auto group = new ThreadGroup(); foreach(_; 0 .. 4) { group.create(&runTen); } group.joinAll(); } // Multiple threads running shared fibers unittest { shared bool[10] locks; TestFiber[10] fibs; void runShared() { bool cont; do { cont = false; foreach(idx; 0 .. 10) { if (cas(&locks[idx], false, true)) { if (fibs[idx].state == Fiber.State.HOLD) { fibs[idx].call(); cont |= fibs[idx].state != Fiber.State.TERM; } locks[idx] = false; } else { cont = true; } } } while (cont); } foreach(ref fib; fibs) { fib = new TestFiber(); } auto group = new ThreadGroup(); foreach(_; 0 .. 4) { group.create(&runShared); } group.joinAll(); foreach(fib; fibs) { assert(fib.sum == TestFiber.expSum); } } // Test exception handling inside fibers. version (Win32) { // broken on win32 under windows server 2012: bug 13821 } else unittest { enum MSG = "Test message."; string caughtMsg; (new Fiber({ try { throw new Exception(MSG); } catch (Exception e) { caughtMsg = e.msg; } })).call(); assert(caughtMsg == MSG); } unittest { int x = 0; (new Fiber({ x++; })).call(); assert( x == 1 ); } nothrow unittest { new Fiber({}).call!(Fiber.Rethrow.no)(); } unittest { new Fiber({}).call(Fiber.Rethrow.yes); new Fiber({}).call(Fiber.Rethrow.no); } deprecated unittest { new Fiber({}).call(true); new Fiber({}).call(false); } version (Win32) { // broken on win32 under windows server 2012: bug 13821 } else unittest { enum MSG = "Test message."; try { (new Fiber({ throw new Exception( MSG ); })).call(); assert( false, "Expected rethrown exception." ); } catch( Throwable t ) { assert( t.msg == MSG ); } } // Test Fiber resetting unittest { static string method; static void foo() { method = "foo"; } void bar() { method = "bar"; } static void expect(Fiber fib, string s) { assert(fib.state == Fiber.State.HOLD); fib.call(); assert(fib.state == Fiber.State.TERM); assert(method == s); method = null; } auto fib = new Fiber(&foo); expect(fib, "foo"); fib.reset(); expect(fib, "foo"); fib.reset(&foo); expect(fib, "foo"); fib.reset(&bar); expect(fib, "bar"); fib.reset(function void(){method = "function";}); expect(fib, "function"); fib.reset(delegate void(){method = "delegate";}); expect(fib, "delegate"); } // stress testing GC stack scanning unittest { import core.memory; static void unreferencedThreadObject() { static void sleep() { Thread.sleep(dur!"msecs"(100)); } auto thread = new Thread(&sleep).start(); } unreferencedThreadObject(); GC.collect(); static class Foo { this(int value) { _value = value; } int bar() { return _value; } int _value; } static void collect() { auto foo = new Foo(2); assert(foo.bar() == 2); GC.collect(); Fiber.yield(); GC.collect(); assert(foo.bar() == 2); } auto fiber = new Fiber(&collect); fiber.call(); GC.collect(); fiber.call(); // thread reference auto foo = new Foo(2); void collect2() { assert(foo.bar() == 2); GC.collect(); Fiber.yield(); GC.collect(); assert(foo.bar() == 2); } fiber = new Fiber(&collect2); fiber.call(); GC.collect(); fiber.call(); static void recurse(size_t cnt) { --cnt; Fiber.yield(); if (cnt) { auto fib = new Fiber(() { recurse(cnt); }); fib.call(); GC.collect(); fib.call(); } } fiber = new Fiber(() { recurse(20); }); fiber.call(); } version( AsmX86_64_Windows ) { // Test Windows x64 calling convention unittest { void testNonvolatileRegister(alias REG)() { auto zeroRegister = new Fiber(() { mixin("asm pure nothrow @nogc { naked; xor "~REG~", "~REG~"; ret; }"); }); long after; mixin("asm pure nothrow @nogc { mov "~REG~", 0xFFFFFFFFFFFFFFFF; }"); zeroRegister.call(); mixin("asm pure nothrow @nogc { mov after, "~REG~"; }"); assert(after == -1); } void testNonvolatileRegisterSSE(alias REG)() { auto zeroRegister = new Fiber(() { mixin("asm pure nothrow @nogc { naked; xorpd "~REG~", "~REG~"; ret; }"); }); long[2] before = [0xFFFFFFFF_FFFFFFFF, 0xFFFFFFFF_FFFFFFFF], after; mixin("asm pure nothrow @nogc { movdqu "~REG~", before; }"); zeroRegister.call(); mixin("asm pure nothrow @nogc { movdqu after, "~REG~"; }"); assert(before == after); } testNonvolatileRegister!("R12")(); testNonvolatileRegister!("R13")(); testNonvolatileRegister!("R14")(); testNonvolatileRegister!("R15")(); testNonvolatileRegister!("RDI")(); testNonvolatileRegister!("RSI")(); testNonvolatileRegister!("RBX")(); testNonvolatileRegisterSSE!("XMM6")(); testNonvolatileRegisterSSE!("XMM7")(); testNonvolatileRegisterSSE!("XMM8")(); testNonvolatileRegisterSSE!("XMM9")(); testNonvolatileRegisterSSE!("XMM10")(); testNonvolatileRegisterSSE!("XMM11")(); testNonvolatileRegisterSSE!("XMM12")(); testNonvolatileRegisterSSE!("XMM13")(); testNonvolatileRegisterSSE!("XMM14")(); testNonvolatileRegisterSSE!("XMM15")(); } } version( D_InlineAsm_X86_64 ) { unittest { void testStackAlignment() { void* pRSP; asm pure nothrow @nogc { mov pRSP, RSP; } assert((cast(size_t)pRSP & 0xF) == 0); } auto fib = new Fiber(&testStackAlignment); fib.call(); } } // regression test for Issue 13416 version (FreeBSD) unittest { static void loop() { pthread_attr_t attr; pthread_attr_init(&attr); auto thr = pthread_self(); foreach (i; 0 .. 50) pthread_attr_get_np(thr, &attr); pthread_attr_destroy(&attr); } auto thr = new Thread(&loop).start(); foreach (i; 0 .. 50) { thread_suspendAll(); thread_resumeAll(); } thr.join(); } unittest { auto thr = new Thread(function{}, 10).start(); thr.join(); }
D
/home/filip/Projects/Engineering/advent_of_code/advent_of_code_16/target/debug/Utils-eee527ef0a806a50: /home/filip/Projects/Engineering/advent_of_code/advent_of_code_16/libs/Utils/src/lib.rs
D
/** Implements HTTP Basic Auth. Copyright: © 2012 Sönke Ludwig License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig */ module vibe.http.auth.basic_auth; import vibe.http.server; import vibe.core.log; import std.base64; import std.exception; import std.string; /** Returns a request handler that enforces request to be authenticated using HTTP Basic Auth. */ HTTPServerRequestDelegateS performBasicAuth(string realm, bool delegate(string user, string name) pwcheck) { void handleRequest(scope HTTPServerRequest req, scope HTTPServerResponse res) { auto pauth = "Authorization" in req.headers; if( pauth && (*pauth).startsWith("Basic ") ){ string user_pw = cast(string)Base64.decode((*pauth)[6 .. $]); auto idx = user_pw.indexOf(":"); enforceBadRequest(idx >= 0, "Invalid auth string format!"); string user = user_pw[0 .. idx]; string password = user_pw[idx+1 .. $]; if( pwcheck(user, password) ){ req.username = user; // let the next stage handle the request return; } } // else output an error page res.statusCode = HTTPStatus.unauthorized; res.contentType = "text/plain"; res.headers["WWW-Authenticate"] = "Basic realm=\""~realm~"\""; res.bodyWriter.write("Authorization required"); } return &handleRequest; } /** Enforces HTTP Basic Auth authentication on the given req/res pair. Params: req = Request object that is to be checked res = Response object that will be used for authentication errors realm = HTTP Basic Auth realm reported to the client pwcheck = A delegate queried for validating user/password pairs Returns: Returns the name of the authenticated user. Throws: Throws a HTTPStatusExeption in case of an authentication failure. */ string performBasicAuth(scope HTTPServerRequest req, scope HTTPServerResponse res, string realm, scope bool delegate(string user, string name) pwcheck) { auto pauth = "Authorization" in req.headers; if( pauth && (*pauth).startsWith("Basic ") ){ string user_pw = cast(string)Base64.decode((*pauth)[6 .. $]); auto idx = user_pw.indexOf(":"); enforceBadRequest(idx >= 0, "Invalid auth string format!"); string user = user_pw[0 .. idx]; string password = user_pw[idx+1 .. $]; if( pwcheck(user, password) ){ req.username = user; return user; } } res.headers["WWW-Authenticate"] = "Basic realm=\""~realm~"\""; throw new HTTPStatusException(HTTPStatus.unauthorized); } /** Augments the given HTTP request with an HTTP Basic Auth header. */ void addBasicAuth(scope HTTPRequest req, string user, string password) { string pwstr = user ~ ":" ~ password; string authstr = cast(string)Base64.encode(cast(ubyte[])pwstr); req.headers["Authorization"] = "Basic " ~ authstr; }
D
/Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Cookies.build/Cookies+Literal.swift.o : /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie+BytesConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+BytesConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie+Parse.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+Parse.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie+Serialize.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+Serialize.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+Literal.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Response+Cookies.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Request+Cookies.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Cookies.build/Cookies+Literal~partial.swiftmodule : /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie+BytesConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+BytesConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie+Parse.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+Parse.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie+Serialize.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+Serialize.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+Literal.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Response+Cookies.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Request+Cookies.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Cookies.build/Cookies+Literal~partial.swiftdoc : /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie+BytesConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+BytesConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie+Parse.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+Parse.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookie+Serialize.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+Serialize.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies+Literal.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Response+Cookies.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Request+Cookies.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/Cookies/Cookies.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.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/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.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
/Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/Objects-normal/x86_64/RealmLineRadarDataSet.o : /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedMoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/Animator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/AxisBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/AxisRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/BarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarLineChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarLineScatterCandleBubbleRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BubbleChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BubbleChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CandleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CandleStickChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CandleStickChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/ChartAnimationEasing.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/ChartBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartColorTemplates.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntryBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ChartDataRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/ChartHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ChartLimitLine.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartUtils.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronDownShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronUpShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CircleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CombinedChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CombinedChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CombinedChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CombinedChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/CombinedHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ComponentBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CrossShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Filters/DataApproximator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Description.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Fill.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Highlight.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/HorizontalBarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/HorizontalBarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/HorizontalBarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ICandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/IHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/IMarker.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IndexAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IPieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/IShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Legend.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/LegendEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LegendRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/LineChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/LineChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineScatterCandleRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerImage.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/MoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/PieChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieRadarChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieRadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Platform.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/RadarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/RadarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/RadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Range.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarLineScatterCandleBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmCandleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineScatterCandleRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmPieDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmScatterDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Renderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ScatterChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ScatterChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ScatterChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/SquareShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Transformer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/TransformerHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/TriangleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ViewPortHandler.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/XAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/XShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/YAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ZoomViewJob.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Target\ Support\ Files/Charts/Charts-umbrella.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMResults_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealm_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealmConfiguration_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMProperty_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMOptionalBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObject_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectStore.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMListBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMArray_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMAccessor.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMResults.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealmConfiguration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMConstants.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMProperty.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMPlatform.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObject.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMMigration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMCollection.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMArray.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/Realm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Realm.build/module.modulemap /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/Objects-normal/x86_64/RealmLineRadarDataSet~partial.swiftmodule : /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedMoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/Animator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/AxisBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/AxisRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/BarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarLineChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarLineScatterCandleBubbleRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BubbleChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BubbleChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CandleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CandleStickChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CandleStickChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/ChartAnimationEasing.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/ChartBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartColorTemplates.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntryBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ChartDataRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/ChartHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ChartLimitLine.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartUtils.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronDownShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronUpShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CircleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CombinedChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CombinedChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CombinedChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CombinedChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/CombinedHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ComponentBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CrossShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Filters/DataApproximator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Description.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Fill.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Highlight.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/HorizontalBarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/HorizontalBarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/HorizontalBarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ICandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/IHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/IMarker.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IndexAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IPieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/IShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Legend.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/LegendEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LegendRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/LineChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/LineChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineScatterCandleRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerImage.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/MoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/PieChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieRadarChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieRadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Platform.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/RadarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/RadarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/RadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Range.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarLineScatterCandleBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmCandleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineScatterCandleRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmPieDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmScatterDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Renderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ScatterChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ScatterChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ScatterChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/SquareShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Transformer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/TransformerHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/TriangleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ViewPortHandler.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/XAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/XShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/YAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ZoomViewJob.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Target\ Support\ Files/Charts/Charts-umbrella.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMResults_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealm_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealmConfiguration_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMProperty_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMOptionalBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObject_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectStore.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMListBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMArray_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMAccessor.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMResults.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealmConfiguration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMConstants.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMProperty.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMPlatform.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObject.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMMigration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMCollection.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMArray.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/Realm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Realm.build/module.modulemap /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/Objects-normal/x86_64/RealmLineRadarDataSet~partial.swiftdoc : /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedMoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/AnimatedZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/Animator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/AxisBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/AxisRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/BarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BarLineChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BarLineScatterCandleBubbleRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/BubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/BubbleChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/BubbleChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CandleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CandleStickChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CandleStickChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Animation/ChartAnimationEasing.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/ChartBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartColorTemplates.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntryBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ChartDataRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/ChartHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ChartLimitLine.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ChartUtils.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronDownShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/ChevronUpShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CircleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/CombinedChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/CombinedChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/CombinedChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/CombinedChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/CombinedHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/ComponentBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/CrossShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Filters/DataApproximator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/DefaultValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Description.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Fill.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Highlight.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/HorizontalBarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/HorizontalBarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/HorizontalBarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ICandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/IHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/ILineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/IMarker.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IndexAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IPieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Interfaces/IScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/IShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Formatters/IValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/Legend.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/LegendEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LegendRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/LineChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/LineChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/LineScatterCandleRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerImage.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/MarkerView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/MoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/PieChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/PieRadarChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/PieRadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Platform.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/RadarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/RadarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/RadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Highlight/Range.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBarLineScatterCandleBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmBubbleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmCandleDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmLineScatterCandleRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmPieDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmRadarDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/ChartsRealm/Data/RealmScatterDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Renderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Interfaces/ScatterChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/ScatterChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Charts/ScatterChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/SquareShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/Transformer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/TransformerHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/TriangleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Utils/ViewPortHandler.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/XAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/XAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/Scatter/XShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Components/YAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Renderers/YAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Charts/Source/Charts/Jobs/ZoomViewJob.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Pods/Target\ Support\ Files/Charts/Charts-umbrella.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMResults_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealm_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMRealmConfiguration_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMProperty_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMOptionalBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObject_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectStore.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMObjectSchema_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase_Dynamic.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMListBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMArray_Private.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/PrivateHeaders/RLMAccessor.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMResults.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealmConfiguration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMRealm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMConstants.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMProperty.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMPlatform.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectSchema.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObjectBase.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMObject.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMMigration.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMCollection.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/RLMArray.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Products/Debug-iphonesimulator/Realm/Realm.framework/Headers/Realm.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Pods.build/Debug-iphonesimulator/Realm.build/module.modulemap
D
/Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/DerivedData/PitchPerfect/Build/Intermediates/PitchPerfect.build/Debug-iphonesimulator/PitchPerfect.build/Objects-normal/x86_64/FastButtonViewController.o : /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/ViewController.swift /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/PlaySoundsViewController.swift /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/FastButtonViewController.swift /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/DerivedData/PitchPerfect/Build/Intermediates/PitchPerfect.build/Debug-iphonesimulator/PitchPerfect.build/Objects-normal/x86_64/FastButtonViewController~partial.swiftmodule : /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/ViewController.swift /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/PlaySoundsViewController.swift /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/FastButtonViewController.swift /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/DerivedData/PitchPerfect/Build/Intermediates/PitchPerfect.build/Debug-iphonesimulator/PitchPerfect.build/Objects-normal/x86_64/FastButtonViewController~partial.swiftdoc : /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/ViewController.swift /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/PlaySoundsViewController.swift /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/FastButtonViewController.swift /Users/DboyLiao/Documents/MOOCs/Udacity/iOS/Intro_iOS_App_Dev/PitchPerfect/PitchPerfect/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule
D
/** * Windows API header module * * Translated from MinGW Windows headers * * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(DRUNTIMESRC src/core/sys/windows/_subauth.d) */ module core.sys.windows.subauth; version (Windows): private import core.sys.windows.ntdef, core.sys.windows.windef; /+ alias LONG NTSTATUS; alias NTSTATUS* PNTSTATUS; +/ enum : ULONG { MSV1_0_PASSTHRU = 1, MSV1_0_GUEST_LOGON = 2 } // USER_ALL_INFORMATION.WhichFields (Undocumented) const ULONG MSV1_0_VALIDATION_LOGOFF_TIME = 1, MSV1_0_VALIDATION_KICKOFF_TIME = 2, MSV1_0_VALIDATION_LOGON_SERVER = 4, MSV1_0_VALIDATION_LOGON_DOMAIN = 8, MSV1_0_VALIDATION_SESSION_KEY = 16, MSV1_0_VALIDATION_USER_FLAGS = 32, MSV1_0_VALIDATION_USER_ID = 64; // ?ActionsPerformed? (Undocumented) const MSV1_0_SUBAUTH_ACCOUNT_DISABLED = 1; const MSV1_0_SUBAUTH_PASSWORD = 2; const MSV1_0_SUBAUTH_WORKSTATIONS = 4; const MSV1_0_SUBAUTH_LOGON_HOURS = 8; const MSV1_0_SUBAUTH_ACCOUNT_EXPIRY = 16; const MSV1_0_SUBAUTH_PASSWORD_EXPIRY = 32; const MSV1_0_SUBAUTH_ACCOUNT_TYPE = 64; const MSV1_0_SUBAUTH_LOCKOUT = 128; const NEXT_FREE_ACCOUNT_CONTROL_BIT = 131072; const SAM_DAYS_PER_WEEK = 7; const SAM_HOURS_PER_WEEK = 168; const SAM_MINUTES_PER_WEEK = 10080; enum : NTSTATUS { STATUS_SUCCESS = 0, STATUS_INVALID_INFO_CLASS = 0xC0000003, STATUS_NO_SUCH_USER = 0xC0000064, STATUS_WRONG_PASSWORD = 0xC000006A, STATUS_PASSWORD_RESTRICTION = 0xC000006C, STATUS_LOGON_FAILURE = 0xC000006D, STATUS_ACCOUNT_RESTRICTION = 0xC000006E, STATUS_INVALID_LOGON_HOURS = 0xC000006F, STATUS_INVALID_WORKSTATION = 0xC0000070, STATUS_PASSWORD_EXPIRED = 0xC0000071, STATUS_ACCOUNT_DISABLED = 0xC0000072, STATUS_INSUFFICIENT_RESOURCES = 0xC000009A, STATUS_ACCOUNT_EXPIRED = 0xC0000193, STATUS_PASSWORD_MUST_CHANGE = 0xC0000224, STATUS_ACCOUNT_LOCKED_OUT = 0xC0000234 } // Note: undocumented in MSDN // USER_ALL_INFORMATION.UserAccountControl const ULONG USER_ACCOUNT_DISABLED = 1, USER_HOME_DIRECTORY_REQUIRED = 2, USER_PASSWORD_NOT_REQUIRED = 4, USER_TEMP_DUPLICATE_ACCOUNT = 8, USER_NORMAL_ACCOUNT = 16, USER_MNS_LOGON_ACCOUNT = 32, USER_INTERDOMAIN_TRUST_ACCOUNT = 64, USER_WORKSTATION_TRUST_ACCOUNT = 128, USER_SERVER_TRUST_ACCOUNT = 256, USER_DONT_EXPIRE_PASSWORD = 512, USER_ACCOUNT_AUTO_LOCKED = 1024, USER_ENCRYPTED_TEXT_PASSWORD_ALLOWED = 2048, USER_SMARTCARD_REQUIRED = 4096, USER_TRUSTED_FOR_DELEGATION = 8192, USER_NOT_DELEGATED = 16384, USER_USE_DES_KEY_ONLY = 32768, USER_DONT_REQUIRE_PREAUTH = 65536, USER_MACHINE_ACCOUNT_MASK = 448, USER_ACCOUNT_TYPE_MASK = 472, USER_ALL_PARAMETERS = 2097152; /+ struct UNICODE_STRING { USHORT Length; USHORT MaximumLength; PWSTR Buffer; } alias UNICODE_STRING* PUNICODE_STRING; struct STRING { USHORT Length; USHORT MaximumLength; PCHAR Buffer; } alias STRING* PSTRING; +/ mixin DECLARE_HANDLE!("SAM_HANDLE"); alias SAM_HANDLE* PSAM_HANDLE; struct OLD_LARGE_INTEGER { ULONG LowPart; LONG HighPart; } alias OLD_LARGE_INTEGER* POLD_LARGE_INTEGER; enum NETLOGON_LOGON_INFO_CLASS { NetlogonInteractiveInformation = 1, NetlogonNetworkInformation, NetlogonServiceInformation, NetlogonGenericInformation, NetlogonInteractiveTransitiveInformation, NetlogonNetworkTransitiveInformation, NetlogonServiceTransitiveInformation } const CYPHER_BLOCK_LENGTH = 8; const USER_SESSION_KEY_LENGTH = CYPHER_BLOCK_LENGTH * 2; const CLEAR_BLOCK_LENGTH = 8; struct CYPHER_BLOCK { CHAR[CYPHER_BLOCK_LENGTH] data = 0; } alias CYPHER_BLOCK* PCYPHER_BLOCK; struct CLEAR_BLOCK { CHAR[CLEAR_BLOCK_LENGTH] data = 0; } alias CLEAR_BLOCK* PCLEAR_BLOCK; struct LM_OWF_PASSWORD { CYPHER_BLOCK[2] data; } alias LM_OWF_PASSWORD* PLM_OWF_PASSWORD; struct USER_SESSION_KEY { CYPHER_BLOCK[2] data; } alias USER_SESSION_KEY* PUSER_SESSION_KEY; alias CLEAR_BLOCK LM_CHALLENGE; alias LM_CHALLENGE* PLM_CHALLENGE; alias LM_OWF_PASSWORD NT_OWF_PASSWORD; alias NT_OWF_PASSWORD* PNT_OWF_PASSWORD; alias LM_CHALLENGE NT_CHALLENGE; alias NT_CHALLENGE* PNT_CHALLENGE; struct LOGON_HOURS { USHORT UnitsPerWeek; PUCHAR LogonHours; } alias LOGON_HOURS* PLOGON_HOURS; struct SR_SECURITY_DESCRIPTOR { ULONG Length; PUCHAR SecurityDescriptor; } alias SR_SECURITY_DESCRIPTOR* PSR_SECURITY_DESCRIPTOR; align(4): struct USER_ALL_INFORMATION { LARGE_INTEGER LastLogon; LARGE_INTEGER LastLogoff; LARGE_INTEGER PasswordLastSet; LARGE_INTEGER AccountExpires; LARGE_INTEGER PasswordCanChange; LARGE_INTEGER PasswordMustChange; UNICODE_STRING UserName; UNICODE_STRING FullName; UNICODE_STRING HomeDirectory; UNICODE_STRING HomeDirectoryDrive; UNICODE_STRING ScriptPath; UNICODE_STRING ProfilePath; UNICODE_STRING AdminComment; UNICODE_STRING WorkStations; UNICODE_STRING UserComment; UNICODE_STRING Parameters; UNICODE_STRING LmPassword; UNICODE_STRING NtPassword; UNICODE_STRING PrivateData; SR_SECURITY_DESCRIPTOR SecurityDescriptor; ULONG UserId; ULONG PrimaryGroupId; ULONG UserAccountControl; ULONG WhichFields; LOGON_HOURS LogonHours; USHORT BadPasswordCount; USHORT LogonCount; USHORT CountryCode; USHORT CodePage; BOOLEAN LmPasswordPresent; BOOLEAN NtPasswordPresent; BOOLEAN PasswordExpired; BOOLEAN PrivateDataSensitive; } alias USER_ALL_INFORMATION* PUSER_ALL_INFORMATION; align: struct MSV1_0_VALIDATION_INFO { LARGE_INTEGER LogoffTime; LARGE_INTEGER KickoffTime; UNICODE_STRING LogonServer; UNICODE_STRING LogonDomainName; USER_SESSION_KEY SessionKey; BOOLEAN Authoritative; ULONG UserFlags; ULONG WhichFields; ULONG UserId; } alias MSV1_0_VALIDATION_INFO* PMSV1_0_VALIDATION_INFO; struct NETLOGON_LOGON_IDENTITY_INFO { UNICODE_STRING LogonDomainName; ULONG ParameterControl; OLD_LARGE_INTEGER LogonId; UNICODE_STRING UserName; UNICODE_STRING Workstation; } alias NETLOGON_LOGON_IDENTITY_INFO* PNETLOGON_LOGON_IDENTITY_INFO; struct NETLOGON_INTERACTIVE_INFO { NETLOGON_LOGON_IDENTITY_INFO Identity; LM_OWF_PASSWORD LmOwfPassword; NT_OWF_PASSWORD NtOwfPassword; } alias NETLOGON_INTERACTIVE_INFO* PNETLOGON_INTERACTIVE_INFO; struct NETLOGON_GENERIC_INFO { NETLOGON_LOGON_IDENTITY_INFO Identity; UNICODE_STRING PackageName; ULONG DataLength; PUCHAR LogonData; } alias NETLOGON_GENERIC_INFO* PNETLOGON_GENERIC_INFO; struct NETLOGON_NETWORK_INFO { NETLOGON_LOGON_IDENTITY_INFO Identity; LM_CHALLENGE LmChallenge; STRING NtChallengeResponse; STRING LmChallengeResponse; } alias NETLOGON_NETWORK_INFO* PNETLOGON_NETWORK_INFO; struct NETLOGON_SERVICE_INFO { NETLOGON_LOGON_IDENTITY_INFO Identity; LM_OWF_PASSWORD LmOwfPassword; NT_OWF_PASSWORD NtOwfPassword; } alias NETLOGON_SERVICE_INFO* PNETLOGON_SERVICE_INFO; extern (Windows) { NTSTATUS Msv1_0SubAuthenticationRoutine(NETLOGON_LOGON_INFO_CLASS,PVOID, ULONG,PUSER_ALL_INFORMATION,PULONG,PULONG, PBOOLEAN,PLARGE_INTEGER,PLARGE_INTEGER); NTSTATUS Msv1_0SubAuthenticationFilter(NETLOGON_LOGON_INFO_CLASS,PVOID, ULONG,PUSER_ALL_INFORMATION,PULONG,PULONG, PBOOLEAN,PLARGE_INTEGER,PLARGE_INTEGER); NTSTATUS Msv1_0SubAuthenticationRoutineGeneric(PVOID,ULONG,PULONG,PVOID*); NTSTATUS Msv1_0SubAuthenticationRoutineEx(NETLOGON_LOGON_INFO_CLASS,PVOID, ULONG,PUSER_ALL_INFORMATION,SAM_HANDLE, PMSV1_0_VALIDATION_INFO,PULONG); }
D
/** * Contains TelegramBotCommandScopeAllPrivateChats */ module tg.types.telegram_bot_command_scope_all_private_chats; import tg.core.type, tg.core.exception; import std.json, tg.type; /** * Represents the scope of bot commands, covering all private chats. */ class TelegramBotCommandScopeAllPrivateChats : TelegramType { /** * Creates new type object */ nothrow pure public this () @safe { _type = ""; } /** Add constructor with data init from response */ mixin(TelegramTypeConstructor); override public void setFromJson (JSONValue data) { if ( "type" !in data ) throw new TelegramException("Could not find reqired entry : type"); _type = data["type"].str(); } override public JSONValue getAsJson () { JSONValue data = parseJSON(""); data["type"] = _type; return data; } /** Scope type, must be <em>all_private_chats</em> */ private string _type; /** * Getter for '_type' * Returns: Current value of '_type' */ @property string type () { return _type; } /** * Setter for '_type' * Params: typeNew = New value of '_type' * Returns: New value of '_type' */ @property string type ( string typeNew ) { return _type = typeNew; } }
D
/Users/sergey_rashidov/wevo/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Alamofire.o : /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Alamofire.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Download.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Error.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Manager.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/MultipartFormData.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/ParameterEncoding.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Request.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Response.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/ResponseSerialization.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Result.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Stream.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Upload.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sergey_rashidov/wevo/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/sergey_rashidov/wevo/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/sergey_rashidov/wevo/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Alamofire~partial.swiftmodule : /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Alamofire.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Download.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Error.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Manager.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/MultipartFormData.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/ParameterEncoding.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Request.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Response.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/ResponseSerialization.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Result.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Stream.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Upload.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sergey_rashidov/wevo/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/sergey_rashidov/wevo/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/sergey_rashidov/wevo/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Alamofire~partial.swiftdoc : /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Alamofire.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Download.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Error.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Manager.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/MultipartFormData.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/ParameterEncoding.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Request.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Response.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/ResponseSerialization.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Result.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Stream.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Upload.swift /Users/sergey_rashidov/wevo/Pods/Alamofire/Source/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sergey_rashidov/wevo/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/sergey_rashidov/wevo/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
D
/Users/kennethharvey/Desktop/iPhoneApps/ECE158B_App/build/ECE158B_App.build/Debug-iphonesimulator/ECE158B_App.build/Objects-normal/x86_64/ViewController.o : /Users/kennethharvey/Desktop/iPhoneApps/ECE158B_App/ECE158B_App/ViewController.swift /Users/kennethharvey/Desktop/iPhoneApps/ECE158B_App/ECE158B_App/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/kennethharvey/Desktop/iPhoneApps/ECE158B_App/build/ECE158B_App.build/Debug-iphonesimulator/ECE158B_App.build/Objects-normal/x86_64/ViewController~partial.swiftmodule : /Users/kennethharvey/Desktop/iPhoneApps/ECE158B_App/ECE158B_App/ViewController.swift /Users/kennethharvey/Desktop/iPhoneApps/ECE158B_App/ECE158B_App/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/kennethharvey/Desktop/iPhoneApps/ECE158B_App/build/ECE158B_App.build/Debug-iphonesimulator/ECE158B_App.build/Objects-normal/x86_64/ViewController~partial.swiftdoc : /Users/kennethharvey/Desktop/iPhoneApps/ECE158B_App/ECE158B_App/ViewController.swift /Users/kennethharvey/Desktop/iPhoneApps/ECE158B_App/ECE158B_App/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
D
module android.java.javax.crypto.spec.DHParameterSpec; public import android.java.javax.crypto.spec.DHParameterSpec_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!DHParameterSpec; import import1 = android.java.java.lang.Class;
D
module Windows.Graphics; import dwinrt; struct PointInt32 { INT32 X; INT32 Y; } struct RectInt32 { INT32 X; INT32 Y; INT32 Width; INT32 Height; } struct SizeInt32 { INT32 Width; INT32 Height; }
D
import unit_threaded; mixin runTestsMain!( "zen", );
D
//***************************************************************************** // // Performance meter class: Uses simple sliding average // //***************************************************************************** module engine.game.perfmeter; //----------------------------------------------------------------------------- import derelict.sdl2.sdl: SDL_GetTicks; import engine.util; //----------------------------------------------------------------------------- class PerfMeter : SlidingAverage { private int ticks; void start() { ticks = SDL_GetTicks(); } void stop() { super.update(SDL_GetTicks() - ticks); } void restart() { stop(); start(); } } //-----------------------------------------------------------------------------
D
a conventional name for a fox used in tales following usage in the old epic `Reynard the Fox'
D
void main() { runSolver(); } void problem() { auto S = scan.map!(c => c - 'a').array; auto T = scan.map!(c => c - 'a').array; auto solve() { foreach(t; 0..26) { if (S.length.iota.all!(i => (S[i] + t) % 26 == T[i])) return YESNO[true]; } return YESNO[false]; } outputForAtCoder(&solve); } // ---------------------------------------------- import std.stdio, std.conv, std.array, std.string, std.algorithm, std.container, std.range, core.stdc.stdlib, std.math, std.typecons, std.numeric, std.traits, std.functional, std.bigint, std.datetime.stopwatch, core.time, core.bitop; T[][] combinations(T)(T[] s, in long m) { if (!m) return [[]]; if (s.empty) return []; return s[1 .. $].combinations(m - 1).map!(x => s[0] ~ x).array ~ s[1 .. $].combinations(m); } string scan(){ static string[] ss; while(!ss.length) ss = readln.chomp.split; string res = ss[0]; ss.popFront; return res; } T scan(T)(){ return scan.to!T; } T[] scan(T)(long n){ return n.iota.map!(i => scan!T()).array; } void deb(T ...)(T t){ debug writeln(t); } alias Point = Tuple!(long, "x", long, "y"); Point invert(Point p) { return Point(p.y, p.x); } long[] divisors(long n) { long[] ret; for (long i = 1; i * i <= n; i++) { if (n % i == 0) { ret ~= i; if (i * i != n) ret ~= n / i; } } return ret.sort.array; } bool chmin(T)(ref T a, T b) { if (b < a) { a = b; return true; } else return false; } bool chmax(T)(ref T a, T b) { if (b > a) { a = b; return true; } else return false; } string charSort(alias S = "a < b")(string s) { return (cast(char[])((cast(byte[])s).sort!S.array)).to!string; } ulong comb(ulong a, ulong b) { if (b == 0) {return 1;}else{return comb(a - 1, b - 1) * a / b;}} string toAnswerString(R)(R r) { return r.map!"a.to!string".joiner(" ").array.to!string; } struct ModInt(uint MD) if (MD < int.max) {ulong v;this(string v) {this(v.to!long);}this(int v) {this(long(v));}this(long v) {this.v = (v%MD+MD)%MD;}void opAssign(long t) {v = (t%MD+MD)%MD;}static auto normS(ulong x) {return (x<MD)?x:x-MD;}static auto make(ulong x) {ModInt m; m.v = x; return m;}auto opBinary(string op:"+")(ModInt r) const {return make(normS(v+r.v));}auto opBinary(string op:"-")(ModInt r) const {return make(normS(v+MD-r.v));}auto opBinary(string op:"*")(ModInt r) const {return make((ulong(v)*r.v%MD).to!ulong);}auto opBinary(string op:"^^", T)(T r) const {long x=v;long y=1;while(r){if(r%2==1)y=(y*x)%MD;x=x^^2%MD;r/=2;} return make(y);}auto opBinary(string op:"/")(ModInt r) const {return this*memoize!inv(r);}static ModInt inv(ModInt x) {return x^^(MD-2);}string toString() const {return v.to!string;}auto opOpAssign(string op)(ModInt r) {return mixin ("this=this"~op~"r");}} alias MInt1 = ModInt!(10^^9 + 7); alias MInt9 = ModInt!(998_244_353); void outputForAtCoder(T)(T delegate() fn) { static if (is(T == float) || is(T == double) || is(T == real)) "%.16f".writefln(fn()); else static if (is(T == void)) fn(); else static if (is(T == string)) fn().writeln; else static if (isInputRange!T) { static if (!is(string == ElementType!T) && isInputRange!(ElementType!T)) foreach(r; fn()) r.toAnswerString.writeln; else foreach(r; fn()) r.writeln; } else fn().writeln; } void runSolver() { enum BORDER = "=================================="; debug { BORDER.writeln; while(!stdin.eof) { "<<< Process time: %s >>>".writefln(benchmark!problem(1)); BORDER.writeln; } } else problem(); } enum YESNO = [true: "Yes", false: "No"]; // -----------------------------------------------
D
/home/mailboxhead/Documents/Practice/rust/itemRestAPI/target/debug/deps/percent_encoding-a8fcec0afcdb0b07.rmeta: /home/mailboxhead/.cargo/registry/src/github.com-1ecc6299db9ec823/percent-encoding-1.0.1/lib.rs /home/mailboxhead/Documents/Practice/rust/itemRestAPI/target/debug/deps/libpercent_encoding-a8fcec0afcdb0b07.rlib: /home/mailboxhead/.cargo/registry/src/github.com-1ecc6299db9ec823/percent-encoding-1.0.1/lib.rs /home/mailboxhead/Documents/Practice/rust/itemRestAPI/target/debug/deps/percent_encoding-a8fcec0afcdb0b07.d: /home/mailboxhead/.cargo/registry/src/github.com-1ecc6299db9ec823/percent-encoding-1.0.1/lib.rs /home/mailboxhead/.cargo/registry/src/github.com-1ecc6299db9ec823/percent-encoding-1.0.1/lib.rs:
D
/* Boost Software License - Version 1.0 - August 17th, 2003 Permission is hereby granted, free of charge, to any person or organization obtaining a copy of the software and accompanying documentation covered by this license (the "Software") to use, reproduce, display, distribute, execute, and transmit the Software, and to prepare derivative works of the Software, and to permit third-parties to whom the Software is furnished to do so, all subject to the following: The copyright notices in the Software and this entire statement, including the above license grant, this restriction and the following disclaimer, must be included in all copies of the Software, in whole or in part, and all derivative works of the Software, unless such copies or derivative works are solely in the form of machine-executable object code generated by a source language processor. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ module derelict.sfml.audio; public { import derelict.sfml.atypes; import derelict.sfml.afuncs; } private { import derelict.util.loader; } class DerelictSFMLAudioLoader : SharedLibLoader { public: this() { super( "csfml-audio.dll", "libcsfml-audio.so,libcsfml-audio.so.1.6", "../Frameworks/csfml-audio.framework/csfml-audio, /Library/Frameworks/csfml-audio.framework/csfml-audio, /System/Library/Frameworks/csfml-audio.framework/csfml-audio" ); } protected: override void loadSymbols() { // Listener.h bindFunc(cast(void**)&sfListener_SetGlobalVolume, "sfListener_SetGlobalVolume"); bindFunc(cast(void**)&sfListener_GetGlobalVolume, "sfListener_GetGlobalVolume"); bindFunc(cast(void**)&sfListener_SetPosition, "sfListener_SetPosition"); bindFunc(cast(void**)&sfListener_GetPosition, "sfListener_GetPosition"); bindFunc(cast(void**)&sfListener_SetTarget, "sfListener_SetTarget"); bindFunc(cast(void**)&sfListener_GetTarget, "sfListener_GetTarget"); // Music.h bindFunc(cast(void**)&sfMusic_CreateFromFile, "sfMusic_CreateFromFile"); bindFunc(cast(void**)&sfMusic_CreateFromMemory, "sfMusic_CreateFromMemory"); bindFunc(cast(void**)&sfMusic_Destroy, "sfMusic_Destroy"); bindFunc(cast(void**)&sfMusic_SetLoop, "sfMusic_SetLoop"); bindFunc(cast(void**)&sfMusic_GetLoop, "sfMusic_GetLoop"); bindFunc(cast(void**)&sfMusic_GetDuration, "sfMusic_GetDuration"); bindFunc(cast(void**)&sfMusic_Play, "sfMusic_Play"); bindFunc(cast(void**)&sfMusic_Pause, "sfMusic_Pause"); bindFunc(cast(void**)&sfMusic_Stop, "sfMusic_Stop"); bindFunc(cast(void**)&sfMusic_GetChannelsCount, "sfMusic_GetChannelsCount"); bindFunc(cast(void**)&sfMusic_GetSampleRate, "sfMusic_GetSampleRate"); bindFunc(cast(void**)&sfMusic_GetStatus, "sfMusic_GetStatus"); bindFunc(cast(void**)&sfMusic_GetPlayingOffset, "sfMusic_GetPlayingOffset"); bindFunc(cast(void**)&sfMusic_SetPitch, "sfMusic_SetPitch"); bindFunc(cast(void**)&sfMusic_SetVolume, "sfMusic_SetVolume"); bindFunc(cast(void**)&sfMusic_SetPosition, "sfMusic_SetPosition"); bindFunc(cast(void**)&sfMusic_SetRelativeToListener, "sfMusic_SetRelativeToListener"); bindFunc(cast(void**)&sfMusic_SetMinDistance, "sfMusic_SetMinDistance"); bindFunc(cast(void**)&sfMusic_SetAttenuation, "sfMusic_SetAttenuation"); bindFunc(cast(void**)&sfMusic_GetPitch, "sfMusic_GetPitch"); bindFunc(cast(void**)&sfMusic_GetVolume, "sfMusic_GetVolume"); bindFunc(cast(void**)&sfMusic_GetPosition, "sfMusic_GetPosition"); bindFunc(cast(void**)&sfMusic_IsRelativeToListener, "sfMusic_IsRelativeToListener"); bindFunc(cast(void**)&sfMusic_GetMinDistance, "sfMusic_GetMinDistance"); bindFunc(cast(void**)&sfMusic_GetAttenuation, "sfMusic_GetAttenuation"); // Sound.h bindFunc(cast(void**)&sfSound_Create, "sfSound_Create"); bindFunc(cast(void**)&sfSound_Destroy, "sfSound_Destroy"); bindFunc(cast(void**)&sfSound_Play, "sfSound_Play"); bindFunc(cast(void**)&sfSound_Pause, "sfSound_Pause"); bindFunc(cast(void**)&sfSound_Stop, "sfSound_Stop"); bindFunc(cast(void**)&sfSound_SetBuffer, "sfSound_SetBuffer"); bindFunc(cast(void**)&sfSound_GetBuffer, "sfSound_GetBuffer"); bindFunc(cast(void**)&sfSound_SetLoop, "sfSound_SetLoop"); bindFunc(cast(void**)&sfSound_GetLoop, "sfSound_GetLoop"); bindFunc(cast(void**)&sfSound_GetStatus, "sfSound_GetStatus"); bindFunc(cast(void**)&sfSound_SetPitch, "sfSound_SetPitch"); bindFunc(cast(void**)&sfSound_SetVolume, "sfSound_SetVolume"); bindFunc(cast(void**)&sfSound_SetPosition, "sfSound_SetPosition"); bindFunc(cast(void**)&sfSound_SetRelativeToListener, "sfSound_SetRelativeToListener"); bindFunc(cast(void**)&sfSound_SetMinDistance, "sfSound_SetMinDistance"); bindFunc(cast(void**)&sfSound_SetAttenuation, "sfSound_SetAttenuation"); bindFunc(cast(void**)&sfSound_SetPlayingOffset, "sfSound_SetPlayingOffset"); bindFunc(cast(void**)&sfSound_GetPitch, "sfSound_GetPitch"); bindFunc(cast(void**)&sfSound_GetVolume, "sfSound_GetVolume"); bindFunc(cast(void**)&sfSound_GetPosition, "sfSound_GetPosition"); bindFunc(cast(void**)&sfSound_IsRelativeToListener, "sfSound_IsRelativeToListener"); bindFunc(cast(void**)&sfSound_GetMinDistance, "sfSound_GetMinDistance"); bindFunc(cast(void**)&sfSound_GetAttenuation, "sfSound_GetAttenuation"); bindFunc(cast(void**)&sfSound_GetPlayingOffset, "sfSound_GetPlayingOffset"); // SoundBuffer.h bindFunc(cast(void**)&sfSoundBuffer_CreateFromFile, "sfSoundBuffer_CreateFromFile"); bindFunc(cast(void**)&sfSoundBuffer_CreateFromMemory, "sfSoundBuffer_CreateFromMemory"); bindFunc(cast(void**)&sfSoundBuffer_CreateFromSamples, "sfSoundBuffer_CreateFromSamples"); bindFunc(cast(void**)&sfSoundBuffer_Destroy, "sfSoundBuffer_Destroy"); bindFunc(cast(void**)&sfSoundBuffer_SaveToFile, "sfSoundBuffer_SaveToFile"); bindFunc(cast(void**)&sfSoundBuffer_GetSamples, "sfSoundBuffer_GetSamples"); bindFunc(cast(void**)&sfSoundBuffer_GetSamplesCount, "sfSoundBuffer_GetSamplesCount"); bindFunc(cast(void**)&sfSoundBuffer_GetSampleRate, "sfSoundBuffer_GetSampleRate"); bindFunc(cast(void**)&sfSoundBuffer_GetChannelsCount, "sfSoundBuffer_GetChannelsCount"); bindFunc(cast(void**)&sfSoundBuffer_GetDuration, "sfSoundBuffer_GetDuration"); // SoundBufferRecorder.h bindFunc(cast(void**)&sfSoundBufferRecorder_Create, "sfSoundBufferRecorder_Create"); bindFunc(cast(void**)&sfSoundBufferRecorder_Destroy, "sfSoundBufferRecorder_Destroy"); bindFunc(cast(void**)&sfSoundBufferRecorder_Start, "sfSoundBufferRecorder_Start"); bindFunc(cast(void**)&sfSoundBufferRecorder_Stop, "sfSoundBufferRecorder_Stop"); bindFunc(cast(void**)&sfSoundBufferRecorder_GetSampleRate, "sfSoundBufferRecorder_GetSampleRate"); bindFunc(cast(void**)&sfSoundBufferRecorder_GetBuffer, "sfSoundBufferRecorder_GetBuffer"); // SoundRecorder.h bindFunc(cast(void**)&sfSoundRecorder_Create, "sfSoundRecorder_Create"); bindFunc(cast(void**)&sfSoundRecorder_Destroy, "sfSoundRecorder_Destroy"); bindFunc(cast(void**)&sfSoundRecorder_Start, "sfSoundRecorder_Start"); bindFunc(cast(void**)&sfSoundRecorder_Stop, "sfSoundRecorder_Stop"); bindFunc(cast(void**)&sfSoundRecorder_GetSampleRate, "sfSoundRecorder_GetSampleRate"); bindFunc(cast(void**)&sfSoundRecorder_CanCapture, "sfSoundRecorder_CanCapture"); // SoundStream.h bindFunc(cast(void**)&sfSoundStream_Create, "sfSoundStream_Create"); bindFunc(cast(void**)&sfSoundStream_Destroy, "sfSoundStream_Destroy"); bindFunc(cast(void**)&sfSoundStream_Play, "sfSoundStream_Play"); bindFunc(cast(void**)&sfSoundStream_Pause, "sfSoundStream_Pause"); bindFunc(cast(void**)&sfSoundStream_Stop, "sfSoundStream_Stop"); bindFunc(cast(void**)&sfSoundStream_GetStatus, "sfSoundStream_GetStatus"); bindFunc(cast(void**)&sfSoundStream_GetChannelsCount, "sfSoundStream_GetChannelsCount"); bindFunc(cast(void**)&sfSoundStream_GetSampleRate, "sfSoundStream_GetSampleRate"); bindFunc(cast(void**)&sfSoundStream_SetPitch, "sfSoundStream_SetPitch"); bindFunc(cast(void**)&sfSoundStream_SetVolume, "sfSoundStream_SetVolume"); bindFunc(cast(void**)&sfSoundStream_SetPosition, "sfSoundStream_SetPosition"); bindFunc(cast(void**)&sfSoundStream_SetRelativeToListener, "sfSoundStream_SetRelativeToListener"); bindFunc(cast(void**)&sfSoundStream_SetMinDistance, "sfSoundStream_SetMinDistance"); bindFunc(cast(void**)&sfSoundStream_SetAttenuation, "sfSoundStream_SetAttenuation"); bindFunc(cast(void**)&sfSoundStream_SetLoop, "sfSoundStream_SetLoop"); bindFunc(cast(void**)&sfSoundStream_GetPitch, "sfSoundStream_GetPitch"); bindFunc(cast(void**)&sfSoundStream_GetVolume, "sfSoundStream_GetVolume"); bindFunc(cast(void**)&sfSoundStream_GetPosition, "sfSoundStream_GetPosition"); bindFunc(cast(void**)&sfSoundStream_IsRelativeToListener, "sfSoundStream_IsRelativeToListener"); bindFunc(cast(void**)&sfSoundStream_GetMinDistance, "sfSoundStream_GetMinDistance"); bindFunc(cast(void**)&sfSoundStream_GetAttenuation, "sfSoundStream_GetAttenuation"); bindFunc(cast(void**)&sfSoundStream_GetLoop, "sfSoundStream_GetLoop"); bindFunc(cast(void**)&sfSoundStream_GetPlayingOffset, "sfSoundStream_GetPlayingOffset"); } } DerelictSFMLAudioLoader DerelictSFMLAudio; static this() { DerelictSFMLAudio = new DerelictSFMLAudioLoader(); } static ~this() { if(SharedLibLoader.isAutoUnloadEnabled()) DerelictSFMLAudio.unload(); }
D
/** * Oracle import library. * * Part of the D DBI project. * * Version: * Oracle 10g revision 2 * * Import library version 0.04 * * Authors: The D DBI project * * Copyright: BSD license */ module dbi.oracle.imp.ocidem; private import dbi.oracle.imp.ocidfn, dbi.oracle.imp.oratypes; const uint VARCHAR2_TYPE = 1; /// const uint NUMBER_TYPE = 2; /// const uint INT_TYPE = 3; /// const uint FLOAT_TYPE = 4; /// const uint STRING_TYPE = 5; /// const uint ROWID_TYPE = 11; /// const uint DATE_TYPE = 12; /// const uint VAR_NOT_IN_LIST = 1007; /// const uint NO_DATA_FOUND = 1403; /// const uint NULL_VALUE_RETURNED = 1405; /// const uint FT_INSERT = 3; /// const uint FT_SELECT = 4; /// const uint FT_UPDATE = 5; /// const uint FT_DELETE = 9; /// const uint FC_OOPEN = 14; /// /** * OCI function code labels, corresponding to the fc numbers in the cursor data area. */ text*[] oci_func_tab = [ cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"OSQL", /// cast(text*)"not used", /// cast(text*)"OEXEC, OEXN", /// cast(text*)"not used", /// cast(text*)"OBIND", /// cast(text*)"not used", /// cast(text*)"ODEFIN", /// cast(text*)"not used", /// cast(text*)"ODSRBN", /// cast(text*)"not used", /// cast(text*)"OFETCH, OFEN", /// cast(text*)"not used", /// cast(text*)"OOPEN", /// cast(text*)"not used", /// cast(text*)"OCLOSE", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"ODSC", /// cast(text*)"not used", /// cast(text*)"ONAME", /// cast(text*)"not used", /// cast(text*)"OSQL3", /// cast(text*)"not used", /// cast(text*)"OBNDRV", /// cast(text*)"not used", /// cast(text*)"OBNDRN", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"OOPT", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"not used", /// cast(text*)"OCAN", /// cast(text*)"not used", /// cast(text*)"OPARSE", /// cast(text*)"not used", /// cast(text*)"OEXFET", /// cast(text*)"not used", /// cast(text*)"OFLNG", /// cast(text*)"not used", /// cast(text*)"ODESCR", /// cast(text*)"not used", /// cast(text*)"OBNDRA", /// cast(text*)"OBINDPS", /// cast(text*)"ODEFINPS", /// cast(text*)"OGETPI", /// cast(text*)"OSETPI" /// ];
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_0_BeT-6936165222.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_0_BeT-6936165222.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
/Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/SQLite.build/Database/DatabaseIdentifier+SQLite.swift.o : /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteData.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteGeneric.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Utilities/Deprecated.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBind.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStorage.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCreateTable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteTable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDataTypeStaticRepresentable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQueryExpressionRepresentable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataConvertible.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataType.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteDatabase.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/DatabaseIdentifier+SQLite.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBoolLiteral.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDefaultLiteral.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteColumn.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCollation.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteConnection.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteFunction.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTableBuilder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataDecoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteRowDecoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataEncoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Utilities/SQLiteError.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Utilities/Exports.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStatement.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDropIndex.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLitePrimaryKey.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQuery.swift /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/SQL.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/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/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/DatabaseKit.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/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/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 /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/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/SQLite.build/Database/DatabaseIdentifier+SQLite~partial.swiftmodule : /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteData.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteGeneric.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Utilities/Deprecated.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBind.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStorage.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCreateTable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteTable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDataTypeStaticRepresentable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQueryExpressionRepresentable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataConvertible.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataType.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteDatabase.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/DatabaseIdentifier+SQLite.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBoolLiteral.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDefaultLiteral.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteColumn.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCollation.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteConnection.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteFunction.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTableBuilder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataDecoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteRowDecoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataEncoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Utilities/SQLiteError.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Utilities/Exports.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStatement.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDropIndex.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLitePrimaryKey.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQuery.swift /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/SQL.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/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/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/DatabaseKit.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/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/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 /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/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/SQLite.build/Database/DatabaseIdentifier+SQLite~partial.swiftdoc : /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteData.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteGeneric.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Utilities/Deprecated.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBind.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStorage.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCreateTable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteTable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDataTypeStaticRepresentable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQueryExpressionRepresentable.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataConvertible.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteDataType.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteDatabase.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/DatabaseIdentifier+SQLite.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteBoolLiteral.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDefaultLiteral.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Row/SQLiteColumn.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteCollation.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteConnection.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteFunction.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteAlterTableBuilder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataDecoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteRowDecoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Codable/SQLiteDataEncoder.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Utilities/SQLiteError.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Utilities/Exports.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/Database/SQLiteStatement.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteDropIndex.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLitePrimaryKey.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/sqlite/Sources/SQLite/SQL/SQLiteQuery.swift /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/SQL.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/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/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/DatabaseKit.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/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/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 /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
; Copyright (C) 2008 The Android Open Source Project ; ; Licensed under the Apache License, Version 2.0 (the "License"); ; you may not use this file except in compliance with the License. ; You may obtain a copy of the License at ; ; http://www.apache.org/licenses/LICENSE-2.0 ; ; Unless required by applicable law or agreed to in writing, software ; distributed under the License is distributed on an "AS IS" BASIS, ; WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. ; See the License for the specific language governing permissions and ; limitations under the License. .source T_neg_float_4.java .class public dot.junit.opcodes.neg_float.d.T_neg_float_4 .super java/lang/Object .method public <init>()V .limit regs 1 invoke-direct {v0}, java/lang/Object/<init>()V return-void .end method .method public run(J)F .limit regs 5 neg-float v0, v3 return v0 .end method
D
/Users/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/Debugging.build/Objects-normal/x86_64/Debuggable.o : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Debugging/Debuggable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Debugging/SourceLocation.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Debugging/Demangler.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/Debugging.build/Objects-normal/x86_64/Debuggable~partial.swiftmodule : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Debugging/Debuggable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Debugging/SourceLocation.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Debugging/Demangler.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/Debugging.build/Objects-normal/x86_64/Debuggable~partial.swiftdoc : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Debugging/Debuggable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Debugging/SourceLocation.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/core.git--3682430780741917418/Sources/Debugging/Demangler.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.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
of or concerning this or that from that circumstance or source
D
var int Mod_XW_Kap6_Scene08_Counter; FUNC VOID XW_Kap6_Scene08() { if (Mod_XW_Kap6_Scene08_Counter == 0) { DoForAll(B_RemoveDeadBodies); AI_Teleport (Xeres_02, "ARENA_18"); AI_Teleport (Mod_7763_RDW_Diego_XW, Mod_7763_RDW_Diego_XW.wp); }; if (Mod_XW_Kap6_Scene08_Counter == 1) { Wld_SendTrigger ("KAP6SCENE8"); CutsceneAn = TRUE; AI_TurnToNpc (Xeres_02, Mod_7763_RDW_Diego_XW); }; if (Mod_XW_Kap6_Scene08_Counter == 3) { AI_Output(Xeres_02, NULL, "Info_Mod_Hero_XW_Kap6_Scene08_14_00"); //(spöttisch rufend) Mein tapferer Recke! }; if (Mod_XW_Kap6_Scene08_Counter == 9) { AI_TurnToNpc (Mod_7763_RDW_Diego_XW, Xeres_02); AI_TurnToNpc (hero, Xeres_02); }; if (Mod_XW_Kap6_Scene08_Counter == 11) { AI_Output(Mod_7763_RDW_Diego_XW, NULL, "Info_Mod_Hero_XW_Kap6_Scene08_11_01"); //Du bist also die hässliche Missgeburt, wegen der wir hier sind. }; if (Mod_XW_Kap6_Scene08_Counter == 17) { AI_Output(Xeres_02, NULL, "Info_Mod_Hero_XW_Kap6_Scene08_14_02"); //Wegen der du in einen unehrenhaften Tod gehen wirst, ja. }; if (Mod_XW_Kap6_Scene08_Counter == 23) { AI_Output(Xeres_02, NULL, "Info_Mod_Hero_XW_Kap6_Scene08_14_03"); //Hier gibt es nichts für dich zu gewinnen. }; if (Mod_XW_Kap6_Scene08_Counter == 29) { AI_Output(Mod_7763_RDW_Diego_XW, NULL, "Info_Mod_Hero_XW_Kap6_Scene08_11_04"); //Ich bin nicht hier, um zu gewinnen. }; if (Mod_XW_Kap6_Scene08_Counter == 35) { Wld_PlayEffect("FX_EarthQuake", Xeres_02, Xeres_02, 0, 0, 0, FALSE); Wld_PlayEffect("spellFX_INCOVATION_RED", Xeres_02, Xeres_02, 0, 0, 0, FALSE); AI_PlayAni (Xeres_02, "T_PRACTICEMAGIC5"); }; if (Mod_XW_Kap6_Scene08_Counter == 37) { Mod_7763_RDW_Diego_XW.attribute[ATR_HITPOINTS] = 0; AI_PlayAni (Mod_7763_RDW_Diego_XW, "T_EXPLOSION"); }; if (Mod_XW_Kap6_Scene08_Counter == 39) { AI_TurnToNpc (Xeres_02, hero); }; if (Mod_XW_Kap6_Scene08_Counter == 40) { AI_Output(Xeres_02, NULL, "Info_Mod_Hero_XW_Kap6_Scene08_14_05"); //Ich hoffe, du hast gesehen, wie hoffnungslos dein Unterfangen war. }; if (Mod_XW_Kap6_Scene08_Counter == 46) { Wld_SendUnTrigger ("KAP6SCENE8"); Wld_SendTrigger ("KAP6SCENE3"); }; if (Mod_XW_Kap6_Scene08_Counter == 47) { AI_Output(hero, NULL, "Info_Mod_Hero_XW_Kap6_Scene08_15_06"); //Du redest doch nur, um verschnaufen zu können. }; if (Mod_XW_Kap6_Scene08_Counter == 53) { AI_Output(hero, NULL, "Info_Mod_Hero_XW_Kap6_Scene08_15_07"); //So groß können deine Kräfte gar nicht sein. }; if (Mod_XW_Kap6_Scene08_Counter == 59) { Wld_SendUnTrigger ("KAP6SCENE3"); Wld_SendTrigger ("KAP6SCENE8"); Wld_SendUnTrigger ("GIFTTEPPICH"); }; if (Mod_XW_Kap6_Scene08_Counter == 60) { AI_Output(Xeres_02, NULL, "Info_Mod_Hero_XW_Kap6_Scene08_14_08"); //Du hast ja noch nicht alles gesehen! }; if (Mod_XW_Kap6_Scene08_Counter == 66) { AI_Teleport (Xeres_02, "TOT"); B_StartOtherRoutine (Xeres_02, "TOT"); Wld_InsertNpc (DemonLord_Xeres, "ARENA_01"); }; if (Mod_XW_Kap6_Scene08_Counter == 67) { Mod_XW_Kap6 = 12; Wld_SendUnTrigger ("KAP6SCENE8"); CutsceneAn = FALSE; }; Mod_XW_Kap6_Scene08_Counter += 1; };
D
/home/javier/Desktop/api/mysql/mysqlapi/target/debug/deps/fake_simd-943957b5b8ca0fd4.rmeta: /home/javier/.cargo/registry/src/github.com-1ecc6299db9ec823/fake-simd-0.1.2/src/lib.rs /home/javier/Desktop/api/mysql/mysqlapi/target/debug/deps/libfake_simd-943957b5b8ca0fd4.rlib: /home/javier/.cargo/registry/src/github.com-1ecc6299db9ec823/fake-simd-0.1.2/src/lib.rs /home/javier/Desktop/api/mysql/mysqlapi/target/debug/deps/fake_simd-943957b5b8ca0fd4.d: /home/javier/.cargo/registry/src/github.com-1ecc6299db9ec823/fake-simd-0.1.2/src/lib.rs /home/javier/.cargo/registry/src/github.com-1ecc6299db9ec823/fake-simd-0.1.2/src/lib.rs:
D
/Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Routing.build/Register/PathComponent.swift.o : /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Utilities/Deprecated.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Routing/RouterNode.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Register/Route.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Parameter/ParameterValue.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Register/RouterOption.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Parameter/Parameter.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Routing/TrieRouter.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Utilities/RoutingError.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Parameter/Parameters.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Utilities/Exports.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Routing/RoutableComponent.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Register/PathComponent.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Routing.build/Register/PathComponent~partial.swiftmodule : /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Utilities/Deprecated.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Routing/RouterNode.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Register/Route.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Parameter/ParameterValue.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Register/RouterOption.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Parameter/Parameter.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Routing/TrieRouter.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Utilities/RoutingError.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Parameter/Parameters.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Utilities/Exports.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Routing/RoutableComponent.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Register/PathComponent.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Routing.build/Register/PathComponent~partial.swiftdoc : /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Utilities/Deprecated.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Routing/RouterNode.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Register/Route.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Parameter/ParameterValue.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Register/RouterOption.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Parameter/Parameter.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Routing/TrieRouter.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Utilities/RoutingError.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Parameter/Parameters.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Utilities/Exports.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Routing/RoutableComponent.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/routing/Sources/Routing/Register/PathComponent.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /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
int main() { int[] ints; ints = NewArray(5, int); ints[0] = ReadInteger(); ints[1] = ReadInteger(); ints[2] = ReadInteger(); ints[3] = ReadInteger(); ints[4] = ReadInteger(); Print(ints[ints[1] % ints[2] % ints[4] % ints[0] % ints[3] % 5]); }
D
module xf.hybrid.demos.scintilla.Scintilla; private { import xf.hybrid.Hybrid; import xf.hybrid.backend.GL; // for Thread.yield import tango.core.Thread; } version (Windows) {} else static assert (false, "TODO"); void main() { version (DontMountExtra) {} else gui.vfsMountDir(`../../`); scope cfg = loadHybridConfig(`./Scintilla.cfg`); scope renderer = new Renderer; gui.begin(cfg); SciEditor(`main.sci1`).insertText(import("Scintilla.d")).grabKeyboardFocus(); SciEditor(`main.sci2`).insertText(import("Scintilla.cfg")); gui.end(); bool programRunning = true; while (programRunning) { gui.begin(cfg); if (gui().getProperty!(bool)("main.frame.closeClicked")) { programRunning = false; } gui.end(); gui.render(renderer); Thread.yield(); } }
D
// Copyright 2018 Google Inc. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. // module s2.s2text_format; // s2text_format contains a collection of functions for converting // geometry to and from a human-readable format. It is mainly // intended for testing and debugging. Be aware that the // human-readable format is *not* designed to preserve the full // precision of the original object, so it should not be used // for data storage. import s2.mutable_s2shape_index; import s2.s2latlng; import s2.s2latlng_rect; import s2.s2lax_polygon_shape; import s2.s2lax_polyline_shape; import s2.s2loop; import s2.s2point; import s2.s2point_vector_shape; import s2.s2polygon; import s2.s2polyline; import s2.s2shape; import s2.s2shape_index; import s2.strings.serialize; import std.conv; import std.exception; import std.format : format; import std.range; import std.string; // Returns an S2Point corresponding to the given a latitude-longitude // coordinate in degrees. Example of the input format: // "-20:150" S2Point makePointOrDie(string str) { S2Point point; enforce(makePoint(str, point), ": str == \"" ~ str ~ "\""); return point; } // As above, but do not CHECK-fail on invalid input. Returns true if conversion // is successful. bool makePoint(string str, ref S2Point point) { S2Point[] vertices; if (!parsePoints(str, vertices) || vertices.length != 1) return false; point = vertices[0]; return true; } deprecated("Use MakePointOrDie.") S2Point makePoint(string str) { return makePointOrDie(str); } // Parses a string of one or more latitude-longitude coordinates in degrees, // and return the corresponding vector of S2LatLng points. // Examples of the input format: // "" // no points // "-20:150" // one point // "-20:150, -20:151, -19:150" // three points S2LatLng[] parseLatLngsOrDie(string str) { S2LatLng[] latlngs; enforce(parseLatLngs(str, latlngs), ": str == \"" ~ str ~ "\""); return latlngs; } // As above, but does not CHECK-fail on invalid input. Returns true if // conversion is successful. bool parseLatLngs(string str, ref S2LatLng[] latlngs) { string[2][] ps; if (!dictionaryParse(str, ps)) return false; foreach (p; ps) { try { double lat = to!double(strip(p[0])); double lng = to!double(strip(p[1])); latlngs ~= S2LatLng.fromDegrees(lat, lng); } catch (ConvException e) { return false; } } return true; } deprecated("Use ParseLatLngsOrDie.") S2LatLng[] parseLatLngs(string str) { return parseLatLngsOrDie(str); } // Parses a string in the same format as ParseLatLngs, and return the // corresponding vector of S2Point values. S2Point[] parsePointsOrDie(string str) { S2Point[] vertices; enforce(parsePoints(str, vertices), ": str == \"" ~ str ~ "\""); return vertices; } // As above, but does not CHECK-fail on invalid input. Returns true if // conversion is successful. bool parsePoints(string str, ref S2Point[] vertices) { S2LatLng[] latlngs; if (!parseLatLngs(str, latlngs)) return false; foreach (latlng; latlngs) { vertices ~= latlng.toS2Point(); } return true; } deprecated("Use ParsePointsOrDie.") S2Point[] parsePoints(string str) { return parsePointsOrDie(str); } bool makeLatLng(string str, ref S2LatLng latlng) { S2LatLng[] latlngs; if (!parseLatLngs(str, latlngs) || latlngs.length != 1) return false; latlng = latlngs[0]; return true; } // Given a string in the same format as ParseLatLngs, returns a single S2LatLng S2LatLng makeLatLngOrDie(string str) { S2LatLng latlng; enforce(makeLatLng(str, latlng), ": str == \"" ~ str ~ "\""); return latlng; } // Given a string in the same format as ParseLatLngs, returns the minimal // bounding S2LatLngRect that contains the coordinates. S2LatLngRect makeLatLngRectOrDie(string str) { S2LatLngRect rect; enforce(makeLatLngRect(str, rect), ": str == \"" ~ str ~ "\""); return rect; } // As above, but does not CHECK-fail on invalid input. Returns true if // conversion is successful. bool makeLatLngRect(string str, ref S2LatLngRect rect) { S2LatLng[] latlngs; if (!parseLatLngs(str, latlngs) || latlngs.empty()) return false; rect = S2LatLngRect.fromPoint(latlngs[0]); for (int i = 1; i < latlngs.length; ++i) { rect.addPoint(latlngs[i]); } return true; } deprecated("Use MakeLatLngRectOrDie.") S2LatLngRect makeLatLngRect(string str) { return makeLatLngRectOrDie(str); } // Given a string of latitude-longitude coordinates in degrees, // returns a newly allocated loop. Example of the input format: // "-20:150, 10:-120, 0.123:-170.652" // The strings "empty" or "full" create an empty or full loop respectively. S2Loop makeLoopOrDie(string str) { S2Loop loop; enforce(makeLoop(str, loop), ": str == \"" ~ str ~ "\""); return loop; } // As above, but does not CHECK-fail on invalid input. Returns true if // conversion is successful. bool makeLoop(string str, ref S2Loop loop) { if (str == "empty") { loop = new S2Loop(S2Loop.empty()); return true; } if (str == "full") { loop = new S2Loop(S2Loop.full()); return true; } S2Point[] vertices; if (!parsePoints(str, vertices)) return false; loop = new S2Loop(vertices); return true; } deprecated("Use MakeLoopOrDie.") S2Loop makeLoop(string str) { return makeLoopOrDie(str); } // Similar to MakeLoop(), but returns an S2Polyline rather than an S2Loop. S2Polyline makePolylineOrDie(string str) { S2Polyline polyline; enforce(makePolyline(str, polyline), ": str == \"" ~ str ~ "\""); return polyline; } // As above, but does not CHECK-fail on invalid input. Returns true if // conversion is successful. bool makePolyline(string str, ref S2Polyline polyline) { S2Point[] vertices; if (!parsePoints(str, vertices)) return false; polyline = new S2Polyline(vertices); return true; } deprecated("Use MakePolylineOrDie.") S2Polyline makePolyline(string str) { return makePolylineOrDie(str); } // Like MakePolyline, but returns an S2LaxPolylineShape instead. S2LaxPolylineShape makeLaxPolylineOrDie(string str) { auto lax_polyline = new S2LaxPolylineShape(); enforce(makeLaxPolyline(str, lax_polyline), ": str == \"" ~ str ~ "\""); return lax_polyline; } // As above, but does not CHECK-fail on invalid input. Returns true if // conversion is successful. bool makeLaxPolyline(string str, ref S2LaxPolylineShape lax_polyline) { S2Point[] vertices; if (!parsePoints(str, vertices)) return false; lax_polyline = new S2LaxPolylineShape(vertices); return true; } deprecated("Use MakeLaxPolylineOrDie.") S2LaxPolylineShape makeLaxPolyline(string str) { return makeLaxPolylineOrDie(str); } // Given a sequence of loops separated by semicolons, returns a newly // allocated polygon. Loops are automatically normalized by inverting them // if necessary so that they enclose at most half of the unit sphere. // (Historically this was once a requirement of polygon loops. It also // hides the problem that if the user thinks of the coordinates as X:Y // rather than LAT:LNG, it yields a loop with the opposite orientation.) // // Examples of the input format: // "10:20, 90:0, 20:30" // one loop // "10:20, 90:0, 20:30; 5.5:6.5, -90:-180, -15.2:20.3" // two loops // "" // the empty polygon (consisting of no loops) // "empty" // the empty polygon (consisting of no loops) // "full" // the full polygon (consisting of one full loop). S2Polygon makePolygonOrDie(string str) { S2Polygon polygon; enforce(internalMakePolygon(str, true, polygon), ": str == \"" ~ str ~ "\""); return polygon; } // As above, but does not CHECK-fail on invalid input. Returns true if // conversion is successful. bool makePolygon(string str, ref S2Polygon polygon) { return internalMakePolygon(str, true, polygon); } private bool internalMakePolygon(string str, bool normalize_loops, ref S2Polygon polygon) { polygon = new S2Polygon(); if (str == "empty") str = ""; string[] loop_strs = str.split(';'); S2Loop[] loops; foreach (loop_str; loop_strs) { loop_str = strip(loop_str); if (loop_str.empty()) break; S2Loop loop; if (!makeLoop(loop_str, loop)) return false; // Don't normalize loops that were explicitly specified as "full". if (normalize_loops && !loop.isFull()) loop.normalize(); loops ~= loop; } polygon = new S2Polygon(loops); return true; } /** * Like MakePolygon(), except that it does not normalize loops (i.e., it * gives you exactly what you asked for). */ S2Polygon makeVerbatimPolygonOrDie(string str) { S2Polygon polygon; enforce(makeVerbatimPolygon(str, polygon), ": str == \"" ~ str ~ "\""); return polygon; } /** * As above, but does not CHECK-fail on invalid input. Returns true if * conversion is successful. */ bool makeVerbatimPolygon(string str, out S2Polygon polygon) { return internalMakePolygon(str, false, polygon); } deprecated("Use MakeVerbatimPolygonOrDie.") S2Polygon makeVerbatimPolygon(string str) { return makeVerbatimPolygonOrDie(str); } // Parses a string in the same format as MakePolygon, except that loops must // be oriented so that the interior of the loop is always on the left, and // polygons with degeneracies are supported. As with MakePolygon, "full" and // denotes the full polygon and "" or "empty" denote the empty polygon. S2LaxPolygonShape makeLaxPolygonOrDie(string str) { S2LaxPolygonShape lax_polygon; enforce(makeLaxPolygon(str, lax_polygon), ": str == \"" ~ str ~ "\""); return lax_polygon; } // As above, but does not CHECK-fail on invalid input. Returns true if // conversion is successful. bool makeLaxPolygon(string str, ref S2LaxPolygonShape lax_polygon) { string[] loop_strs = str.split(";"); S2Point[][] loops; foreach (loop_str; loop_strs) { loop_str = strip(loop_str); if (loop_str.empty()) break; if (loop_str == "full") { loops ~= new S2Point[0]; } else if (loop_str != "empty") { S2Point[] points; if (!parsePoints(loop_str, points)) return false; loops ~= points; } } lax_polygon = new S2LaxPolygonShape(loops); return true; } deprecated("Use MakeLaxPolygonOrDie.") S2LaxPolygonShape makeLaxPolygon(string str) { return makeLaxPolygonOrDie(str); } // Returns a MutableS2ShapeIndex containing the points, polylines, and loops // (in the form of a single polygon) described by the following format: // // point1|point2|... # line1|line2|... # polygon1|polygon2|... // // Examples: // 1:2 | 2:3 # # // Two points // # 0:0, 1:1, 2:2 | 3:3, 4:4 # // Two polylines // # # 0:0, 0:3, 3:0; 1:1, 2:1, 1:2 // Two nested loops (one polygon) // 5:5 # 6:6, 7:7 # 0:0, 0:1, 1:0 // One of each // # # empty // One empty polygon // # # empty | full // One empty polygon, one full polygon // // Loops should be directed so that the region's interior is on the left. // Loops can be degenerate (they do not need to meet S2Loop requirements). // // CAVEAT: Because whitespace is ignored, empty polygons must be specified // as the string "empty" rather than as the empty string (""). MutableS2ShapeIndex makeIndexOrDie(string str) { auto index = new MutableS2ShapeIndex(); enforce(makeIndex(str, index), ": str == \"" ~ str ~ "\""); return index; } // As above, but does not CHECK-fail on invalid input. Returns true if // conversion is successful. bool makeIndex(string str, ref MutableS2ShapeIndex index) { string[] strs = str.split('#'); enforce(strs.length == 3, "Must contain two # characters: " ~ str); S2Point[] points; foreach (point_str; strs[0].strip().split('|')) { point_str = strip(point_str); if (point_str.empty()) break; S2Point point; if (!makePoint(point_str, point)) return false; points ~= point; } if (!points.empty()) { index.add(new S2PointVectorShape(points)); } foreach (line_str; strs[1].strip().split('|')) { auto lax_polyline = new S2LaxPolylineShape(); if (!makeLaxPolyline(line_str, lax_polyline)) return false; index.add(lax_polyline); } foreach (polygon_str; strs[2].strip().split('|')) { auto lax_polygon = new S2LaxPolygonShape(); if (!makeLaxPolygon(polygon_str, lax_polygon)) return false; index.add(lax_polygon); } return true; } deprecated("Use MakeIndexOrDie.") MutableS2ShapeIndex makeIndex(string str) { return makeIndexOrDie(str); } private void appendVertex(in S2LatLng ll, ref string val) { val ~= format("%.15g:%.15g", ll.lat().degrees(), ll.lng().degrees()); } private void appendVertex(in S2Point p, ref string val) { auto ll = S2LatLng(p); return appendVertex(ll, val); } private void appendVertices(in S2Point[] v, ref string val) { for (int i = 0; i < v.length; ++i) { if (i > 0) val ~= ", "; appendVertex(v[i], val); } } string toString(in S2Point point) { string val; appendVertex(point, val); return val; } string toString(in S2LatLngRect rect) { string val; appendVertex(rect.lo(), val); val ~= ", "; appendVertex(rect.hi(), val); return val; } string toString(in S2LatLng latlng) { string val; appendVertex(latlng, val); return val; } string toString(in S2Loop loop) { if (loop.isEmpty()) { return "empty"; } else if (loop.isFull()) { return "full"; } string val; if (loop.numVertices() > 0) { appendVertices(loop.vertices(), val); } return val; } string toString(in S2Polyline polyline) { string val; if (polyline.numVertices() > 0) { appendVertices(polyline.vertices(), val); } return val; } string toString(in S2Polygon polygon) { if (polygon.isEmpty()) { return "empty"; } else if (polygon.isFull()) { return "full"; } string val; for (int i = 0; i < polygon.numLoops(); ++i) { if (i > 0) val ~= ";\n"; const(S2Loop) loop = polygon.loop(i); appendVertices(loop.vertices(), val); } return val; } string toString(in S2Point[] points) { string val; appendVertices(points, val); return val; } string toString(in S2LatLng[] latlngs) { string val; for (int i = 0; i < latlngs.length; ++i) { if (i > 0) val ~= ", "; appendVertex(latlngs[i], val); } return val; } string toString(in S2LaxPolylineShape polyline) { string val; if (polyline.numVertices() > 0) { appendVertices(polyline.vertices(), val); } return val; } string toString(in S2LaxPolygonShape polygon) { string val; for (int i = 0; i < polygon.numLoops(); ++i) { if (i > 0) val ~= ";\n"; int n = polygon.numLoopVertices(i); if (n > 0) appendVertices(polygon.loopVertices(i), val); } return val; } // Convert the contents of an S2ShapeIndex to the format above. The index may // contain S2Shapes of any type. Shapes are reordered if necessary so that // all point geometry (shapes of dimension 0) are first, followed by all // polyline geometry, followed by all polygon geometry. // string ToString(const S2ShapeIndex& index); string toString(in S2ShapeIndex index) { string val; for (int dim = 0; dim < 3; ++dim) { if (dim > 0) val ~= "#"; int count = 0; for (int s = 0; s < index.numShapeIds(); ++s) { const(S2Shape) shape = index.shape(s); if (shape is null || shape.dimension() != dim) continue; val ~= (count > 0) ? " | " : (dim > 0) ? " " : ""; for (int i = 0; i < shape.numChains(); ++i, ++count) { if (i > 0) val ~= (dim == 2) ? "; " : " | "; S2Shape.Chain chain = shape.chain(i); appendVertex(shape.edge(chain.start).v0, val); int limit = chain.start + chain.length; if (dim != 1) --limit; for (int e = chain.start; e < limit; ++e) { val ~= ", "; appendVertex(shape.edge(e).v1, val); } } } // Example output: "# #", "0:0 # #", "# # 0:0, 0:1, 1:0" if (dim == 1 || (dim == 0 && count > 0)) val ~= " "; } return val; }
D
module android.java.android.opengl.EGLContext; public import android.java.android.opengl.EGLContext_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!EGLContext; import import0 = android.java.java.lang.Class;
D
/** File handling. Copyright: © 2012 rejectedsoftware e.K. License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig */ module dub.internal.vibecompat.core.file; public import dub.internal.vibecompat.inet.url; import dub.internal.vibecompat.core.log; import std.conv; import core.stdc.stdio; import std.datetime; import std.exception; import std.file; import std.path; import std.stdio; import std.string; import std.utf; /* Add output range support to File */ struct RangeFile { @safe: std.stdio.File file; void put(in ubyte[] bytes) @trusted { file.rawWrite(bytes); } void put(in char[] str) { put(cast(const(ubyte)[])str); } void put(char ch) @trusted { put((&ch)[0 .. 1]); } void put(dchar ch) { char[4] chars; put(chars[0 .. encode(chars, ch)]); } ubyte[] readAll() { auto sz = this.size; enforce(sz <= size_t.max, "File is too big to read to memory."); () @trusted { file.seek(0, SEEK_SET); } (); auto ret = new ubyte[cast(size_t)sz]; rawRead(ret); return ret; } void rawRead(ubyte[] dst) @trusted { enforce(file.rawRead(dst).length == dst.length, "Failed to readall bytes from file."); } void write(string str) { put(str); } void close() @trusted { file.close(); } void flush() @trusted { file.flush(); } @property ulong size() @trusted { return file.size; } } /** Opens a file stream with the specified mode. */ RangeFile openFile(NativePath path, FileMode mode = FileMode.read) { string fmode; final switch(mode){ case FileMode.read: fmode = "rb"; break; case FileMode.readWrite: fmode = "r+b"; break; case FileMode.createTrunc: fmode = "wb"; break; case FileMode.append: fmode = "ab"; break; } auto ret = std.stdio.File(path.toNativeString(), fmode); assert(ret.isOpen); return RangeFile(ret); } /// ditto RangeFile openFile(string path, FileMode mode = FileMode.read) { return openFile(NativePath(path), mode); } /** Moves or renames a file. */ void moveFile(NativePath from, NativePath to) { moveFile(from.toNativeString(), to.toNativeString()); } /// ditto void moveFile(string from, string to) { std.file.rename(from, to); } /** Copies a file. Note that attributes and time stamps are currently not retained. Params: from = NativePath of the source file to = NativePath for the destination file overwrite = If true, any file existing at the destination path will be overwritten. If this is false, an excpetion will be thrown should a file already exist at the destination path. Throws: An Exception if the copy operation fails for some reason. */ void copyFile(NativePath from, NativePath to, bool overwrite = false) { enforce(existsFile(from), "Source file does not exist."); if (existsFile(to)) { enforce(overwrite, "Destination file already exists."); // remove file before copy to allow "overwriting" files that are in // use on Linux removeFile(to); } static if (is(PreserveAttributes)) { .copy(from.toNativeString(), to.toNativeString(), PreserveAttributes.yes); } else { .copy(from.toNativeString(), to.toNativeString()); // try to preserve ownership/permissions in Posix version (Posix) { import core.sys.posix.sys.stat; import core.sys.posix.unistd; import std.utf; auto cspath = toUTFz!(const(char)*)(from.toNativeString()); auto cdpath = toUTFz!(const(char)*)(to.toNativeString()); stat_t st; enforce(stat(cspath, &st) == 0, "Failed to get attributes of source file."); if (chown(cdpath, st.st_uid, st.st_gid) != 0) st.st_mode &= ~(S_ISUID | S_ISGID); chmod(cdpath, st.st_mode); } } } /// ditto void copyFile(string from, string to) { copyFile(NativePath(from), NativePath(to)); } version (Windows) extern(Windows) int CreateHardLinkW(in wchar* to, in wchar* from, void* attr=null); // guess whether 2 files are identical, ignores filename and content private bool sameFile(NativePath a, NativePath b) { version (Posix) { auto st_a = std.file.DirEntry(a.toNativeString).statBuf; auto st_b = std.file.DirEntry(b.toNativeString).statBuf; return st_a == st_b; } else { static assert(__traits(allMembers, FileInfo)[0] == "name"); return getFileInfo(a).tupleof[1 .. $] == getFileInfo(b).tupleof[1 .. $]; } } /** Creates a hardlink. */ void hardLinkFile(NativePath from, NativePath to, bool overwrite = false) { if (existsFile(to)) { enforce(overwrite, "Destination file already exists."); if (auto fe = collectException!FileException(removeFile(to))) { if (sameFile(from, to)) return; throw fe; } } version (Windows) { alias cstr = toUTFz!(const(wchar)*); if (CreateHardLinkW(cstr(to.toNativeString), cstr(from.toNativeString))) return; } else { import core.sys.posix.unistd : link; alias cstr = toUTFz!(const(char)*); if (!link(cstr(from.toNativeString), cstr(to.toNativeString))) return; } // fallback to copy copyFile(from, to, overwrite); } /** Removes a file */ void removeFile(NativePath path) { removeFile(path.toNativeString()); } /// ditto void removeFile(string path) { std.file.remove(path); } /** Checks if a file exists */ bool existsFile(NativePath path) { return existsFile(path.toNativeString()); } /// ditto bool existsFile(string path) { return std.file.exists(path); } /** Stores information about the specified file/directory into 'info' Returns false if the file does not exist. */ FileInfo getFileInfo(NativePath path) { auto ent = std.file.DirEntry(path.toNativeString()); return makeFileInfo(ent); } /// ditto FileInfo getFileInfo(string path) { return getFileInfo(NativePath(path)); } /** Creates a new directory. */ void createDirectory(NativePath path) { mkdir(path.toNativeString()); } /// ditto void createDirectory(string path) { createDirectory(NativePath(path)); } /** Enumerates all files in the specified directory. */ void listDirectory(NativePath path, scope bool delegate(FileInfo info) del) { foreach( DirEntry ent; dirEntries(path.toNativeString(), SpanMode.shallow) ) if( !del(makeFileInfo(ent)) ) break; } /// ditto void listDirectory(string path, scope bool delegate(FileInfo info) del) { listDirectory(NativePath(path), del); } /// ditto int delegate(scope int delegate(ref FileInfo)) iterateDirectory(NativePath path) { int iterator(scope int delegate(ref FileInfo) del){ int ret = 0; listDirectory(path, (fi){ ret = del(fi); return ret == 0; }); return ret; } return &iterator; } /// ditto int delegate(scope int delegate(ref FileInfo)) iterateDirectory(string path) { return iterateDirectory(NativePath(path)); } /** Returns the current working directory. */ NativePath getWorkingDirectory() { return NativePath(std.file.getcwd()); } /** Contains general information about a file. */ struct FileInfo { /// Name of the file (not including the path) string name; /// Size of the file (zero for directories) ulong size; /// Time of the last modification SysTime timeModified; /// Time of creation (not available on all operating systems/file systems) SysTime timeCreated; /// True if this is a symlink to an actual file bool isSymlink; /// True if this is a directory or a symlink pointing to a directory bool isDirectory; } /** Specifies how a file is manipulated on disk. */ enum FileMode { /// The file is opened read-only. read, /// The file is opened for read-write random access. readWrite, /// The file is truncated if it exists and created otherwise and the opened for read-write access. createTrunc, /// The file is opened for appending data to it and created if it does not exist. append } /** Accesses the contents of a file as a stream. */ private FileInfo makeFileInfo(DirEntry ent) { FileInfo ret; ret.name = baseName(ent.name); if( ret.name.length == 0 ) ret.name = ent.name; assert(ret.name.length > 0); ret.isSymlink = ent.isSymlink; try { ret.isDirectory = ent.isDir; ret.size = ent.size; ret.timeModified = ent.timeLastModified; version(Windows) ret.timeCreated = ent.timeCreated; else ret.timeCreated = ent.timeLastModified; } catch (Exception e) { logDiagnostic("Failed to get extended file information for %s: %s", ret.name, e.msg); } return ret; }
D
/Users/Mehdi/Desktop/Rust/Projet_IOT/nkeys/target/debug/build/generic-array-aafe7f0121e845b1/build_script_build-aafe7f0121e845b1: /Users/Mehdi/.cargo/registry/src/github.com-1ecc6299db9ec823/generic-array-0.14.4/build.rs /Users/Mehdi/Desktop/Rust/Projet_IOT/nkeys/target/debug/build/generic-array-aafe7f0121e845b1/build_script_build-aafe7f0121e845b1.d: /Users/Mehdi/.cargo/registry/src/github.com-1ecc6299db9ec823/generic-array-0.14.4/build.rs /Users/Mehdi/.cargo/registry/src/github.com-1ecc6299db9ec823/generic-array-0.14.4/build.rs:
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 $(LINK2 std_stdio.html,$(D std.stdio)). Macros: WIKI = Phobos/StdFile Copyright: Copyright Digital Mars 2007 - 2011. 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.path; import std.range.primitives; import std.traits; import std.typecons; import std.typetuple; 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."); version (unittest) { @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(Android) { enum system_directory = "/system/etc"; enum system_file = "/system/etc/hosts"; } else version(Posix) { enum system_directory = "/usr/include"; enum system_file = "/usr/include/assert.h"; } } // @@@@ TEMPORARY - THIS SHOULD BE IN THE CORE @@@ // {{{ version (Windows) { enum FILE_ATTRIBUTE_REPARSE_POINT = 0x400; // Required by tempPath(): private extern(Windows) DWORD GetTempPathW(DWORD nBufferLength, LPWSTR lpBuffer); // Required by rename(): enum MOVEFILE_REPLACE_EXISTING = 1; private extern(Windows) DWORD MoveFileExW(LPCWSTR lpExistingFileName, LPCWSTR lpNewFileName, DWORD dwFlags); } // }}} /++ 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) { version (Windows) { throw new FileException(name, .GetLastError(), file, line); } else version (Posix) { throw new FileException(name, .errno, file, line); } } return condition; } /* ********************************** * 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. Example: ---- import std.file, std.stdio; void main() { auto bytes = cast(ubyte[]) read("filename", 5); if (bytes.length == 5) writefln("The fifth byte of the file is 0x%x", bytes[4]); } ---- Returns: Untyped array of bytes _read. Throws: $(D FileException) on error. */ void[] read(in char[] name, size_t upTo = size_t.max) @safe { import std.algorithm : min; import std.array : uninitializedArray; static trustedRef(T)(ref T buf) @trusted { return &buf; } version(Windows) { static trustedCreateFileW(in char[] fileName, DWORD dwDesiredAccess, DWORD dwShareMode, SECURITY_ATTRIBUTES *lpSecurityAttributes, DWORD dwCreationDisposition, DWORD dwFlagsAndAttributes, HANDLE hTemplateFile) @trusted { return CreateFileW(fileName.tempCStringW(), dwDesiredAccess, dwShareMode, lpSecurityAttributes, dwCreationDisposition, dwFlagsAndAttributes, hTemplateFile); } static trustedCloseHandle(HANDLE hObject) @trusted { return CloseHandle(hObject); } static trustedGetFileSize(HANDLE hFile, DWORD *lpFileSizeHigh) @trusted { return GetFileSize(hFile, lpFileSizeHigh); } static trustedReadFile(HANDLE hFile, void *lpBuffer, DWORD nNumberOfBytesToRead, DWORD *lpNumberOfBytesRead, OVERLAPPED *lpOverlapped) @trusted { return ReadFile(hFile, lpBuffer, nNumberOfBytesToRead, lpNumberOfBytesRead, lpOverlapped); } alias defaults = TypeTuple!(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(name, defaults); cenforce(h != INVALID_HANDLE_VALUE, name); scope(exit) cenforce(trustedCloseHandle(h), name); auto size = trustedGetFileSize(h, null); cenforce(size != INVALID_FILE_SIZE, name); size = min(upTo, size); auto buf = uninitializedArray!(ubyte[])(size); scope(failure) delete buf; DWORD numread = void; cenforce(trustedReadFile(h,buf.ptr, size, trustedRef(numread), null) != 0 && numread == size, name); return buf[0 .. size]; } else version(Posix) { import core.memory; // A few internal configuration parameters { enum size_t minInitialAlloc = 1024 * 4, maxInitialAlloc = size_t.max / 2, sizeIncrement = 1024 * 16, maxSlackMemoryAllowed = 1024; // } static trustedOpen(in char[] path, int oflag) @trusted { return core.sys.posix.fcntl.open(path.tempCString(), oflag); } static trustedFstat(int path, stat_t* buf) @trusted { return fstat(path, buf); } static trustedRead(int fildes, void* buf, size_t nbyte) @trusted { return core.sys.posix.unistd.read(fildes, buf, nbyte); } static trustedRealloc(void* p, size_t sz, uint ba = 0, const TypeInfo ti = null) @trusted { return GC.realloc(p, sz, ba, ti); } static trustedPtrAdd(void[] buf, size_t s) @trusted { return buf.ptr+s; } static trustedPtrSlicing(void* ptr, size_t lb, size_t ub) @trusted { return ptr[lb..ub]; } immutable fd = trustedOpen(name, core.sys.posix.fcntl.O_RDONLY); cenforce(fd != -1, name); scope(exit) core.sys.posix.unistd.close(fd); stat_t statbuf = void; cenforce(trustedFstat(fd, trustedRef(statbuf)) == 0, name); immutable initialAlloc = 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 = trustedRead(fd, trustedPtrAdd(result, size), min(result.length, upTo) - size); cenforce(actual != -1, name); if (actual == 0) break; size += actual; if (size < result.length) continue; immutable newAlloc = size + sizeIncrement; result = trustedPtrSlicing(trustedRealloc(result.ptr, newAlloc, GC.BlkAttr.NO_SCAN), 0, newAlloc); } return result.length - size >= maxSlackMemoryAllowed ? trustedPtrSlicing(trustedRealloc(result.ptr, size, GC.BlkAttr.NO_SCAN), 0, size) : result[0 .. size]; } } @safe unittest { write(deleteme, "1234"); scope(exit) { assert(exists(deleteme)); remove(deleteme); } assert(read(deleteme, 2) == "12"); assert(read(deleteme) == "1234"); } 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. Returns: Array of characters read. Throws: $(D FileException) on file error, $(D UTFException) on UTF decoding error. Example: ---- enforce(system("echo abc>deleteme") == 0); scope(exit) remove("deleteme"); enforce(chomp(readText("deleteme")) == "abc"); ---- */ S readText(S = string)(in char[] name) @safe if (isSomeString!S) { 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"); scope(exit) { assert(exists(deleteme)); remove(deleteme); } enforce(chomp(readText(deleteme)) == "abc"); } /********************************************* Write $(D buffer) to file $(D name). Throws: $(D FileException) on error. Example: ---- import std.file; void main() { int[] a = [ 0, 1, 1, 2, 3, 5, 8 ]; write("filename", a); assert(cast(int[]) read("filename") == a); } ---- */ void write(in char[] name, const void[] buffer) @trusted { version(Windows) { alias defaults = TypeTuple!(GENERIC_WRITE, 0, null, CREATE_ALWAYS, FILE_ATTRIBUTE_NORMAL | FILE_FLAG_SEQUENTIAL_SCAN, HANDLE.init); auto h = CreateFileW(name.tempCStringW(), defaults); cenforce(h != INVALID_HANDLE_VALUE, name); scope(exit) cenforce(CloseHandle(h), name); DWORD numwritten; cenforce(WriteFile(h, buffer.ptr, to!DWORD(buffer.length), &numwritten, null) != 0 && buffer.length == numwritten, name); } else version(Posix) return writeImpl(name, buffer, O_CREAT | O_WRONLY | O_TRUNC); } /********************************************* Appends $(D buffer) to file $(D name). Throws: $(D FileException) on error. Example: ---- import std.file; void main() { int[] a = [ 0, 1, 1, 2, 3, 5, 8 ]; write("filename", a); int[] b = [ 13, 21 ]; append("filename", b); assert(cast(int[]) read("filename") == a ~ b); } ---- */ void append(in char[] name, in void[] buffer) @trusted { version(Windows) { alias defaults = TypeTuple!(GENERIC_WRITE,0,null,OPEN_ALWAYS, FILE_ATTRIBUTE_NORMAL | FILE_FLAG_SEQUENTIAL_SCAN,HANDLE.init); auto h = CreateFileW(name.tempCStringW(), defaults); cenforce(h != INVALID_HANDLE_VALUE, name); scope(exit) cenforce(CloseHandle(h), name); DWORD numwritten; cenforce(SetFilePointer(h, 0, null, FILE_END) != INVALID_SET_FILE_POINTER && WriteFile(h,buffer.ptr,to!DWORD(buffer.length),&numwritten,null) != 0 && buffer.length == numwritten, name); } else version(Posix) return writeImpl(name, buffer, O_APPEND | O_WRONLY | O_CREAT); } // Posix implementation helper for write and append version(Posix) private void writeImpl(in char[] name, in void[] buffer, in uint mode) @trusted { immutable fd = core.sys.posix.fcntl.open(name.tempCString(), mode, octal!666); cenforce(fd != -1, name); { scope(failure) core.sys.posix.unistd.close(fd); immutable size = buffer.length; cenforce( core.sys.posix.unistd.write(fd, buffer.ptr, size) == size, name); } cenforce(core.sys.posix.unistd.close(fd) == 0, name); } /*************************************************** * Rename file $(D from) to $(D to). * If the target file exists, it is overwritten. * Throws: $(D FileException) on error. */ void rename(in char[] from, in char[] to) @trusted { version(Windows) { enforce(MoveFileExW(from.tempCStringW(), to.tempCStringW(), MOVEFILE_REPLACE_EXISTING), new FileException( text("Attempting to rename file ", from, " to ", to))); } else version(Posix) { import core.stdc.stdio; cenforce(core.stdc.stdio.rename(from.tempCString(), to.tempCString()) == 0, to); } } @safe unittest { 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); assert(readText(t2) == "2"); } /*************************************************** Delete file $(D name). Throws: $(D FileException) on error. */ void remove(in char[] name) @trusted { version(Windows) { cenforce(DeleteFileW(name.tempCStringW()), name); } else version(Posix) { import core.stdc.stdio; cenforce(core.stdc.stdio.remove(name.tempCString()) == 0, "Failed to remove file " ~ name); } } version(Windows) private WIN32_FILE_ATTRIBUTE_DATA getFileAttributesWin(in char[] name) @trusted { WIN32_FILE_ATTRIBUTE_DATA fad; enforce(GetFileAttributesExW(name.tempCStringW(), GET_FILEEX_INFO_LEVELS.GetFileExInfoStandard, &fad), new FileException(name.idup)); 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. Throws: $(D FileException) on error (e.g., file not found). */ ulong getSize(in char[] name) @safe { version(Windows) { with (getFileAttributesWin(name)) return makeUlong(nFileSizeLow, nFileSizeHigh); } else version(Posix) { static auto trustedStat(in char[] path, stat_t* buf) @trusted { return stat(path.tempCString(), buf); } static stat_t* ptrOfLocalVariable(return ref stat_t buf) @trusted { return &buf; } stat_t statbuf = void; cenforce(trustedStat(name, ptrOfLocalVariable(statbuf)) == 0, name); return statbuf.st_size; } } @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"); assert(getSize(deleteme) == 3); } /++ 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(in char[] name, out SysTime accessTime, out SysTime modificationTime) @safe { version(Windows) { with (getFileAttributesWin(name)) { accessTime = FILETIMEToSysTime(&ftLastAccessTime); modificationTime = FILETIMEToSysTime(&ftLastWriteTime); } } else version(Posix) { static auto trustedStat(in char[] path, ref stat_t buf) @trusted { return stat(path.tempCString(), &buf); } stat_t statbuf = void; cenforce(trustedStat(name, statbuf) == 0, name); accessTime = SysTime(unixTimeToStdTime(statbuf.st_atime)); modificationTime = SysTime(unixTimeToStdTime(statbuf.st_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); } } /++ $(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. +/ version(StdDdoc) void getTimesWin(in char[] name, out SysTime fileCreationTime, out SysTime fileAccessTime, out SysTime fileModificationTime) @safe; else version(Windows) void getTimesWin(in char[] name, out SysTime fileCreationTime, out SysTime fileAccessTime, out SysTime fileModificationTime) @safe { with (getFileAttributesWin(name)) { fileCreationTime = std.datetime.FILETIMEToSysTime(&ftCreationTime); fileAccessTime = std.datetime.FILETIMEToSysTime(&ftLastAccessTime); fileModificationTime = std.datetime.FILETIMEToSysTime(&ftLastWriteTime); } } 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); } } /++ 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(in char[] name, SysTime accessTime, SysTime modificationTime) @safe { version(Windows) { static auto trustedCreateFileW(in char[] fileName, DWORD dwDesiredAccess, DWORD dwShareMode, SECURITY_ATTRIBUTES *lpSecurityAttributes, DWORD dwCreationDisposition, DWORD dwFlagsAndAttributes, HANDLE hTemplateFile) @trusted { return CreateFileW(fileName.tempCStringW(), 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 = TypeTuple!(GENERIC_WRITE, 0, null, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL | FILE_ATTRIBUTE_DIRECTORY | FILE_FLAG_BACKUP_SEMANTICS, HANDLE.init); auto h = trustedCreateFileW(name, defaults); cenforce(h != INVALID_HANDLE_VALUE, name); scope(exit) cenforce(trustedCloseHandle(h), name); cenforce(trustedSetFileTime(h, null, ta, tm), name); } else version(Posix) { static auto trustedUtimes(in char[] path, const ref timeval[2] times) @trusted { return utimes(path.tempCString(), times); } timeval[2] t = void; t[0] = accessTime.toTimeVal(); t[1] = modificationTime.toTimeVal(); cenforce(trustedUtimes(name, t) == 0, name); } } 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"); } foreach (path; [file, dir]) // test file and dir { SysTime atime = SysTime(DateTime(2010, 10, 4, 0, 0, 30)); SysTime mtime = SysTime(DateTime(2011, 10, 4, 0, 0, 30)); setTimes(path, atime, mtime); SysTime atime_res; SysTime mtime_res; getTimes(path, atime_res, mtime_res); assert(atime == atime_res); assert(mtime == mtime_res); } rmdirRecurse(newdir); } /++ Returns the time that the given file was last modified. Throws: $(D FileException) if the given file does not exist. +/ SysTime timeLastModified(in char[] name) @safe { version(Windows) { SysTime dummy; SysTime ftm; getTimesWin(name, dummy, dummy, ftm); return ftm; } else version(Posix) { static auto trustedStat(in char[] path, ref stat_t buf) @trusted { return stat(path.tempCString(), &buf); } stat_t statbuf = void; cenforce(trustedStat(name, statbuf) == 0, name); return SysTime(unixTimeToStdTime(statbuf.st_mtime)); } } /++ 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. Examples: -------------------- if(timeLastModified(source) >= timeLastModified(target, SysTime.min)) { // must (re)build } else { // target is up-to-date } -------------------- +/ SysTime timeLastModified(in char[] name, SysTime returnIfMissing) @safe { version(Windows) { if(!exists(name)) return returnIfMissing; SysTime dummy; SysTime ftm; getTimesWin(name, dummy, dummy, ftm); return ftm; } else version(Posix) { static auto trustedStat(in char[] path, ref stat_t buf) @trusted { return stat(path.tempCString(), &buf); } stat_t statbuf = void; return trustedStat(name, statbuf) != 0 ? returnIfMissing : SysTime(unixTimeToStdTime(statbuf.st_mtime)); } } 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__)); } /++ Returns whether the given file (or directory) exists. +/ bool exists(in char[] name) @trusted nothrow @nogc { version(Windows) { // http://msdn.microsoft.com/library/default.asp?url=/library/en-us/ // fileio/base/getfileattributes.asp return GetFileAttributesW(name.tempCStringW()) != 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(name.tempCString(), &statbuf) == 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(in char[] name) @safe { version(Windows) { static auto trustedGetFileAttributesW(in char[] fileName) @trusted { return GetFileAttributesW(fileName.tempCStringW()); } immutable result = trustedGetFileAttributesW(name); cenforce(result != INVALID_FILE_ATTRIBUTES, name); return result; } else version(Posix) { static auto trustedStat(in char[] path, ref stat_t buf) @trusted { return stat(path.tempCString(), &buf); } stat_t statbuf = void; cenforce(trustedStat(name, statbuf) == 0, name); return statbuf.st_mode; } } /++ 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. Throws: $(D FileException) on error. +/ uint getLinkAttributes(in char[] name) @safe { version(Windows) { return getAttributes(name); } else version(Posix) { static auto trustedLstat(in char[] path, ref stat_t buf) @trusted { return lstat(path.tempCString(), &buf); } stat_t lstatbuf = void; cenforce(trustedLstat(name, lstatbuf) == 0, name); return lstatbuf.st_mode; } } /++ Set the attributes of the given file. Throws: $(D FileException) if the given file does not exist. +/ void setAttributes(in char[] name, uint attributes) @safe { version (Windows) { static auto trustedSetFileAttributesW(in char[] fileName, uint dwFileAttributes) @trusted { return SetFileAttributesW(fileName.tempCStringW(), dwFileAttributes); } cenforce(trustedSetFileAttributesW(name, attributes), name); } else version (Posix) { static auto trustedChmod(in char[] path, mode_t mode) @trusted { return chmod(path.tempCString(), mode); } assert(attributes <= mode_t.max); cenforce(!trustedChmod(name, cast(mode_t)attributes), name); } } /++ Returns whether the given file is a directory. Params: name = The path to the file. Throws: $(D FileException) if the given file does not exist. Examples: -------------------- assert(!"/etc/fonts/fonts.conf".isDir); assert("/usr/share/include".isDir); -------------------- +/ @property bool isDir(in char[] name) @safe { version(Windows) { return (getAttributes(name) & FILE_ATTRIBUTE_DIRECTORY) != 0; } else version(Posix) { return (getAttributes(name) & S_IFMT) == S_IFDIR; } } @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); } } /++ Returns whether the given file attributes are for a directory. Params: attributes = The file attributes. Examples: -------------------- 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. Throws: $(D FileException) if the given file does not exist. Examples: -------------------- assert("/etc/fonts/fonts.conf".isFile); assert(!"/usr/share/include".isFile); -------------------- +/ @property bool isFile(in char[] name) @safe { version(Windows) return !name.isDir; else version(Posix) return (getAttributes(name) & S_IFMT) == S_IFREG; } @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. Examples: -------------------- 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. Throws: $(D FileException) if the given file does not exist. +/ @property bool isSymlink(in char[] name) @safe { version(Windows) return (getAttributes(name) & FILE_ATTRIBUTE_REPARSE_POINT) != 0; else version(Posix) return (getLinkAttributes(name) & S_IFMT) == S_IFLNK; } 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. Examples: -------------------- 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(in char[] pathname) @safe { version(Windows) { static auto trustedSetCurrentDirectoryW(in char[] path) @trusted { return SetCurrentDirectoryW(path.tempCStringW()); } cenforce(trustedSetCurrentDirectoryW(pathname), pathname); } else version(Posix) { static auto trustedChdir(in char[] path) @trusted { return core.sys.posix.unistd.chdir(path.tempCString()); } cenforce(trustedChdir(pathname) == 0, pathname); } } /**************************************************** Make directory $(D pathname). Throws: $(D FileException) on Posix or $(D WindowsException) on Windows if an error occured. */ void mkdir(in char[] pathname) @safe { version(Windows) { static auto trustedCreateDirectoryW(in char[] path) @trusted { return CreateDirectoryW(path.tempCStringW(), null); } wenforce(trustedCreateDirectoryW(pathname), pathname); } else version(Posix) { static auto trustedMkdir(in char[] path, mode_t mode) @trusted { return core.sys.posix.sys.stat.mkdir(path.tempCString(), mode); } cenforce(trustedMkdir(pathname, octal!777) == 0, pathname); } } // 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, pathname); } enforce(pathname.isDir, new FileException(pathname.idup)); return false; } /**************************************************** * Make directory and all parent directories as needed. * * 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). Throws: $(D FileException) on error. */ void rmdir(in char[] pathname) { version(Windows) { cenforce(RemoveDirectoryW(pathname.tempCStringW()), pathname); } else version(Posix) { cenforce(core.sys.posix.unistd.rmdir(pathname.tempCString()) == 0, pathname); } } /++ $(BLUE This function is Posix-Only.) Creates a symlink. Params: original = The file to link from. link = The symlink to create. Note: Relative paths are relative to the current working directory, not the files being linked to or from. Throws: $(D FileException) on error (which includes if the symlink already exists). +/ version(StdDdoc) void symlink(C1, C2)(const(C1)[] original, const(C2)[] link) @safe; else version(Posix) void symlink(C1, C2)(const(C1)[] original, const(C2)[] link) @safe { static auto trustedSymlink(const(C1)[] path1, const(C2)[] path2) @trusted { return core.sys.posix.unistd.symlink(path1.tempCString(), path2.tempCString()); } cenforce(trustedSymlink(original, link) == 0, 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))); } } /++ $(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(C)(const(C)[] link) @safe; else version(Posix) string readLink(C)(const(C)[] link) @safe { static auto trustedReadlink(const(C)[] path, char[] buf) @trusted { return core.sys.posix.unistd.readlink(path.tempCString(), buf.ptr, buf.length); } static auto trustedAssumeUnique(ref C[] array) @trusted { return assumeUnique(array); } enum bufferLen = 2048; enum maxCodeUnits = 6; char[bufferLen] buffer; auto size = trustedReadlink(link, buffer); cenforce(size != -1, link); if(size <= bufferLen - maxCodeUnits) return to!string(buffer[0 .. size]); auto dynamicBuffer = new char[](bufferLen * 3 / 2); foreach(i; 0 .. 10) { size = trustedReadlink(link, dynamicBuffer); cenforce(size != -1, link); if(size <= dynamicBuffer.length - maxCodeUnits) { dynamicBuffer.length = size; return trustedAssumeUnique(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")); } /**************************************************** * 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 (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); /** * 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 (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 version (Android) { return readLink("/proc/self/exe"); } 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). Examples: -------------------- 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. Examples: -------------------- 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). Examples: -------------------- 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 SysTime(unixTimeToStdTime(_statBuf.st_ctime)); } @property SysTime timeLastAccessed() { _ensureStatDone(); return SysTime(unixTimeToStdTime(_statBuf.st_ctime)); } @property SysTime timeLastModified() { _ensureStatDone(); return SysTime(unixTimeToStdTime(_statBuf.st_mtime)); } @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. Throws: $(D FileException) on error. */ void copy(in char[] from, in char[] to, PreserveAttributes preserve = preserveAttributesDefault) { version(Windows) { assert(preserve == Yes.preserve); immutable result = CopyFileW(from.tempCStringW(), to.tempCStringW(), false); if (!result) throw new FileException(to.idup); } else version(Posix) { import core.stdc.stdio; immutable fd = core.sys.posix.fcntl.open(from.tempCString(), O_RDONLY); cenforce(fd != -1, from); scope(exit) core.sys.posix.unistd.close(fd); stat_t statbuf = void; cenforce(fstat(fd, &statbuf) == 0, from); //cenforce(core.sys.posix.sys.stat.fstat(fd, &statbuf) == 0, from); auto tozTmp = to.tempCString(); immutable fdw = core.sys.posix.fcntl.open(tozTmp, O_CREAT | O_WRONLY | O_TRUNC, octal!666); cenforce(fdw != -1, from); scope(failure) core.stdc.stdio.remove(tozTmp); { scope(failure) core.sys.posix.unistd.close(fdw); auto BUFSIZ = 4096u * 16; auto buf = core.stdc.stdlib.malloc(BUFSIZ); if (!buf) { BUFSIZ = 4096; buf = core.stdc.stdlib.malloc(BUFSIZ); buf || assert(false, "Out of memory in std.file.copy"); } scope(exit) core.stdc.stdlib.free(buf); for (auto size = statbuf.st_size; size; ) { immutable toxfer = (size > BUFSIZ) ? BUFSIZ : cast(size_t) size; cenforce( core.sys.posix.unistd.read(fd, buf, toxfer) == toxfer && core.sys.posix.unistd.write(fdw, buf, toxfer) == toxfer, from); assert(size >= toxfer); size -= toxfer; } if (preserve) cenforce(fchmod(fdw, statbuf.st_mode) == 0, from); } cenforce(core.sys.posix.unistd.close(fdw) != -1, from); utimbuf utim = void; utim.actime = cast(time_t)statbuf.st_atime; utim.modtime = cast(time_t)statbuf.st_mtime; cenforce(utime(tozTmp, &utim) != -1, from); } } unittest { auto t1 = deleteme, t2 = deleteme~"2"; scope(exit) foreach (t; [t1, t2]) if (t.exists) t.remove(); write(t1, "1"); copy(t1, t2); assert(readText(t2) == "1"); write(t1, "2"); copy(t1, t2); assert(readText(t2) == "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); } /++ 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 { 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 "; std.process.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) { string search_pattern = buildPath(directory, "*.*"); WIN32_FIND_DATAW findinfo; HANDLE h = FindFirstFileW(search_pattern.tempCStringW(), &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 = cenforce(opendir(directory.tempCString()), 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(string pathname, SpanMode mode, bool followSymlink) { _mode = mode; _followSymlink = followSymlink; _stack = appender(cast(DirHandle[])[]); if(_mode == SpanMode.depth) _stashed = appender(cast(DirEntry[])[]); if(stepIn(pathname)) { 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. 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. Examples: -------------------- // Iterate a directory in depth foreach (string name; dirEntries("destroy/me", SpanMode.depth)) { remove(name); } // Iterate a 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 = filter!`endsWith(a.name,".d")`(dirEntries(".",SpanMode.depth)); 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); } 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){} } /++ 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. Examples: -------------------- // 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)); } // Explicitly undocumented. It will be removed in July 2015. deprecated("Please use DirEntry constructor directly instead.") DirEntry dirEntry(in char[] name) { return DirEntry(name.idup); } //Test dirEntry with a directory. unittest { import core.thread; import std.stdio : writefln; auto before = Clock.currTime(); Thread.sleep(dur!"seconds"(2)); immutable path = deleteme ~ "_dir"; scope(exit) { if(path.exists) rmdirRecurse(path); } mkdir(path); Thread.sleep(dur!"seconds"(2)); auto de = DirEntry(path); assert(de.name == path); assert(de.isDir); assert(!de.isFile); assert(!de.isSymlink); 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)); auto now = Clock.currTime(); scope(failure) writefln("[%s] [%s] [%s] [%s]", before, de.timeLastAccessed, de.timeLastModified, now); assert(de.timeLastAccessed > before); assert(de.timeLastAccessed < now); assert(de.timeLastModified > before); assert(de.timeLastModified < now); assert(attrIsDir(de.attributes)); assert(attrIsDir(de.linkAttributes)); assert(!attrIsFile(de.attributes)); assert(!attrIsFile(de.linkAttributes)); assert(!attrIsSymlink(de.attributes)); assert(!attrIsSymlink(de.linkAttributes)); version(Windows) { assert(de.timeCreated > before); assert(de.timeCreated < now); } else version(Posix) { assert(de.timeStatusChanged > before); assert(de.timeStatusChanged < now); assert(de.attributes == de.statBuf.st_mode); } } //Test dirEntry with a file. unittest { import core.thread; import std.stdio : writefln; auto before = Clock.currTime(); Thread.sleep(dur!"seconds"(2)); immutable path = deleteme ~ "_file"; scope(exit) { if(path.exists) remove(path); } write(path, "hello world"); Thread.sleep(dur!"seconds"(2)); auto de = DirEntry(path); assert(de.name == path); assert(!de.isDir); assert(de.isFile); assert(!de.isSymlink); 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)); auto now = Clock.currTime(); scope(failure) writefln("[%s] [%s] [%s] [%s]", before, de.timeLastAccessed, de.timeLastModified, now); assert(de.timeLastAccessed > before); assert(de.timeLastAccessed < now); assert(de.timeLastModified > before); assert(de.timeLastModified < now); assert(!attrIsDir(de.attributes)); assert(!attrIsDir(de.linkAttributes)); assert(attrIsFile(de.attributes)); assert(attrIsFile(de.linkAttributes)); assert(!attrIsSymlink(de.attributes)); assert(!attrIsSymlink(de.linkAttributes)); version(Windows) { assert(de.timeCreated > before); assert(de.timeCreated < now); } else version(Posix) { assert(de.timeStatusChanged > before); assert(de.timeStatusChanged < now); assert(de.attributes == de.statBuf.st_mode); } } //Test dirEntry with a symlink to a directory. version(linux) unittest { import core.thread; import std.stdio : writefln; auto before = Clock.currTime(); Thread.sleep(dur!"seconds"(2)); immutable orig = deleteme ~ "_dir"; mkdir(orig); immutable path = deleteme ~ "_slink"; scope(exit) { if(orig.exists) rmdirRecurse(orig); } scope(exit) { if(path.exists) remove(path); } core.sys.posix.unistd.symlink((orig ~ "\0").ptr, (path ~ "\0").ptr); Thread.sleep(dur!"seconds"(2)); auto de = DirEntry(path); assert(de.name == path); assert(de.isDir); assert(!de.isFile); assert(de.isSymlink); 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)); auto now = Clock.currTime(); scope(failure) writefln("[%s] [%s] [%s] [%s]", before, de.timeLastAccessed, de.timeLastModified, now); assert(de.timeLastAccessed > before); assert(de.timeLastAccessed < now); assert(de.timeLastModified > before); assert(de.timeLastModified < now); assert(attrIsDir(de.attributes)); assert(!attrIsDir(de.linkAttributes)); assert(!attrIsFile(de.attributes)); assert(!attrIsFile(de.linkAttributes)); assert(!attrIsSymlink(de.attributes)); assert(attrIsSymlink(de.linkAttributes)); assert(de.timeStatusChanged > before); assert(de.timeStatusChanged < now); assert(de.attributes == de.statBuf.st_mode); } //Test dirEntry with a symlink to a file. version(linux) unittest { import core.thread; import std.stdio : writefln; auto before = Clock.currTime(); Thread.sleep(dur!"seconds"(2)); immutable orig = deleteme ~ "_file"; write(orig, "hello world"); immutable path = deleteme ~ "_slink"; scope(exit) { if(orig.exists) remove(orig); } scope(exit) { if(path.exists) remove(path); } core.sys.posix.unistd.symlink((orig ~ "\0").ptr, (path ~ "\0").ptr); Thread.sleep(dur!"seconds"(2)); auto de = DirEntry(path); assert(de.name == path); assert(!de.isDir); assert(de.isFile); assert(de.isSymlink); 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)); auto now = Clock.currTime(); scope(failure) writefln("[%s] [%s] [%s] [%s]", before, de.timeLastAccessed, de.timeLastModified, now); assert(de.timeLastAccessed > before); assert(de.timeLastAccessed < now); assert(de.timeLastModified > before); assert(de.timeLastModified < now); assert(!attrIsDir(de.attributes)); assert(!attrIsDir(de.linkAttributes)); assert(attrIsFile(de.attributes)); assert(!attrIsFile(de.linkAttributes)); assert(!attrIsSymlink(de.attributes)); assert(attrIsSymlink(de.linkAttributes)); assert(de.timeStatusChanged > before); assert(de.timeStatusChanged < now); assert(de.attributes == de.statBuf.st_mode); } /** Reads an entire file into an array. Example: ---- // Load file; each line is an int followed by comma, whitespace and a // double. auto a = slurp!(int, double)("filename", "%s, %s"); ---- Bugs: $(D slurp) expects file names to be encoded in $(B CP_ACP) on $(I Windows) instead of UTF-8 (as it internally uses $(XREF stdio, File), see $(BUGZILLA 7648)) thus must not be used in $(I Windows) or cross-platform applications other than with an immediate ASCII string as a file name to prevent accidental changes to result in incorrect behavior. */ 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 { // Tuple!(int, double)[] x; // auto app = appender(&x); write(deleteme, "12 12.25\n345 1.125"); scope(exit) { assert(exists(deleteme)); remove(deleteme); } 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(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
// MIT-License https://github.com/higashi000/procon30-kyogi import std.stdio, std.conv, std.string, std.array; import Kanan.field, Kanan.dispField, Kanan.montecarlo, Kanan.beamSearch, Kanan.connector, Kanan.sendData; import core.thread; // コマンドライン引数にMariのip,port,試合の最大ターン数をつけて void main(string[] args) { auto connector = new KananConnector(args[1], args[2].to!ushort); uint turn = 1; uint maxTurn = args[3].to!uint; while (turn <= maxTurn) { Thread.sleep(dur!("seconds")(10)); connector.getFieldData(); auto field = connector.parseFieldData(); writeln(turn); disp(field); writeln; field.calcTilePoint; field.calcMyAreaPoint; field.calcRivalAreaPoint; writeln(field.myTilePoint + field.myAreaPoint); writeln(field.rivalTilePoint + field.rivalAreaPoint); auto montecarlo = new MontecarloTreeSearch(field, turn, maxTurn, to!int(args[4]), 20); auto answer = montecarlo.playGame(); writeln(answer); connector.sendResult(answer); turn++; } auto field = connector.parseFieldData(); disp(field); writeln; field.calcTilePoint; field.calcMyAreaPoint; field.calcRivalAreaPoint; writeln(field.myTilePoint + field.myAreaPoint); writeln(field.rivalTilePoint + field.rivalAreaPoint); }
D
instance DIA_YahYah_EXIT(DIA_Proto_End) { npc = Gobbo_DS2P_YahYah; }; //////////////////////////// Общие ///////////////////////////// // *при первой встрече // Обращается сам var int YahYah_LastDistToWP; instance DIA_YahYah_Hello(C_Info) { npc = Gobbo_DS2P_YahYah; condition = DIA_YahYah_Hello_Cond; information = DIA_YahYah_Hello_Info; important = TRUE; }; // Условие: если Ба-Ба-По еще не вернулся в деревню func int DIA_YahYah_Hello_Cond() { if (MIS_DS2P_FigurinesGurun != LOG_SUCCESS) { return TRUE; }; }; func void DIA_YahYah_Hello_Info() { AI_Output(self,other,"DIA_YahYah_Hello_19_01"); //Ухых! Цых-вах-ухых! // поднимает топор AI_PlayAni(self, "T_WARN"); AI_Output(other,self,"DIA_YahYah_Hello_15_02"); //Эй, я не причиню тебе вреда. Убери топор. // опускает топор UNFINISHED //AI_PlayAni(self, "T_LOOK"); AI_Output(self,other,"DIA_YahYah_Hello_19_03"); //Чихач! Уходи, чужак. Человека нет места в наша деревня. // Запись в дневнике. Квест «Проход в деревню гоблинов»: Начало B_DSG_Log_OpenClose(TOPIC_DS2P_EnterGobboVillage,LOG_MISSION,LOG_Running,TOPIC_DS2P_EnterGobboVillage_Start); YahYah_LastDistToWP = Npc_GetDistToWP(other,WP_GobboEntrance_Checkpoint); }; // Проход разрешен, иди к вождю func void DIA_YahYah_AccessGranted_GoToChief() { // вход в деревню гоблинов разрешен B_DS2P_GobboVillage_GrantAccess(); AI_Output(self,other,"DIA_YahYah_AccessGranted_GoToChief_19_01"); //Теперь Ях-Ях пропусти чужак. Чужак идти деревня, говори с Ца-Ха-Наух, наш вождь. AI_Output(self,other,"DIA_YahYah_AccessGranted_GoToChief_19_02"); //Чужак говори с вождь вежливо, скажи «Ца-Ха-Наух чи-та-ро, бо-на». // Запись в дневнике «Деревня гоблинов»: Обращение к вождю B_LogNote(TOPIC_GobboVillage, TOPIC_GobboVillage_HelloChief); }; // *вести от Ба-Ба-По // Обращается сам instance DIA_YahYah_BaBaPoReturned(C_Info) { npc = Gobbo_DS2P_YahYah; condition = DIA_YahYah_BaBaPoReturned_Cond; information = DIA_YahYah_BaBaPoReturned_Info; description = "*вести от Ба-Ба-По"; important = TRUE; }; // Условие: если Ба-Ба-По уже вернулся в деревню func int DIA_YahYah_BaBaPoReturned_Cond() { if (MIS_DS2P_FigurinesGurun == LOG_SUCCESS) { return TRUE; }; }; func void DIA_YahYah_BaBaPoReturned_Info() { AI_Output(self,other,"DIA_YahYah_What_19_01"); //На-чи! Привет, человек! AI_Output(self,other,"DIA_YahYah_What_19_02"); //Ба-Ба-По говори человек его брат и друг гоблина. if (Gobbos_Attitude == Gobbos_Attitude_None) { AI_Output(self,other,"DIA_YahYah_What_19_03"); //Ба-Ба-По хороший охотник и умный гоблина. Человек может идти наш деревня. //Запись в дневнике. Квест «Проход в деревню гоблинов»: За статуэтки B_DSG_Log_OpenClose(TOPIC_DS2P_EnterGobboVillage,LOG_MISSION,LOG_Running,TOPIC_DS2P_EnterGobboVillage_Figurines); // вход в деревню гоблинов разрешен, иди к вождю DIA_YahYah_AccessGranted_GoToChief(); }; }; // Ух ты! Говорящий гоблин! instance DIA_YahYah_WowSpeakingGobbo(C_Info) { npc = Gobbo_DS2P_YahYah; nr = 1; condition = DIA_YahYah_WowSpeakingGobbo_Cond; information = DIA_YahYah_WowSpeakingGobbo_Info; description = "Ух ты! Говорящий гоблин!"; }; // Появление: после начального // Окончание: после завершения квеста «Проход в деревню» или «Статуэтки Гуруна» func int DIA_YahYah_WowSpeakingGobbo_Cond() { if (MIS_DS2P_EnterGobboVillage != LOG_SUCCESS && MIS_DS2P_FigurinesGurun != LOG_SUCCESS && !Npc_KnowsInfo(other, DIA_YahYah_WhoAreYou)) { return TRUE; }; }; func void DIA_YahYah_WowSpeakingGobbo_Info() { AI_Output(other,self,"DIA_YahYah_WowSpeakingGobbo_15_01"); //Ух ты! Говорящий гоблин! // почти нормальным голосом, передразнивая AI_Output(self,other,"DIA_YahYah_WowSpeakingGobbo_19_02"); //(передразнивая) Ух ты! Говорящий человек! }; // Кто ты? // Появление: без условия instance DIA_YahYah_WhoAreYou(C_Info) { npc = Gobbo_DS2P_YahYah; nr = 2; condition = DIA_NoCond_cond; information = DIA_YahYah_WhoAreYou_Info; description = "Кто ты?"; }; func void DIA_YahYah_WhoAreYou_Info() { AI_Output(other,self,"DIA_YahYah_WhoAreYou_15_01"); //Кто ты? AI_Output(self,other,"DIA_YahYah_WhoAreYou_19_02"); //Ях-Ях охранник. Охранять деревня от чужак и болотный змей. B_LogNote(TOPIC_GobboVillage,TOPIC_GobboVillage_YahYah); }; // Откуда ты знаешь наш язык? // Появление: без условия instance DIA_YahYah_HowKnowsLanguage(C_Info) { npc = Gobbo_DS2P_YahYah; nr = 3; condition = DIA_NoCond_cond; information = DIA_YahYah_HowKnowsLanguage_Info; description = "Откуда ты знаешь наш язык?"; }; func void DIA_YahYah_HowKnowsLanguage_Info() { AI_Output(other,self,"DIA_YahYah_HowKnowsLanguage_15_00"); //Откуда ты знаешь наш язык? AI_Output(self,other,"DIA_YahYah_HowKnowsLanguage_19_01"); //Ях-Ях много знай. Ра-Да-По научи Ях-Ях. AI_Output(other,self,"DIA_YahYah_HowKnowsLanguage_15_02"); //А Ра-Да-По это?.. AI_Output(self,other,"DIA_YahYah_HowKnowsLanguage_19_03"); //Ра-Да-По - наш великий шаман. B_LogNote(TOPIC_GobboVillage,TOPIC_GobboVillage_RaDaPo); }; // Не устал охранять? // Постоянный instance DIA_YahYah_ArentTired(C_Info) { npc = Gobbo_DS2P_YahYah; nr = 4; condition = DIA_YahYah_ArentTired_Cond; information = DIA_YahYah_ArentTired_Info; description = "Не устал охранять?"; permanent = TRUE; }; // Появление: после «Кто ты?» func int DIA_YahYah_ArentTired_Cond() { if (Npc_KnowsInfo(self,DIA_YahYah_WhoAreYou)) { return TRUE; }; }; func void DIA_YahYah_ArentTired_Info() { AI_Output(other,self,"DIA_YahYah_ArentTired_15_01"); //Не устал охранять? AI_Output(self,other,"DIA_YahYah_ArentTired_19_02"); //Ях-Ях сильный гоблин. Ях-Ях не уставай. }; // (приняли в племя) instance DIA_YahYah_BecameGobbe(C_Info) { npc = Gobbo_DS2P_YahYah; condition = DIA_YahYah_BecameGobbe_Cond; information = DIA_YahYah_BecameGobbe_Info; description = "(приняли в племя)"; important = TRUE; }; // Условие: ГГ приняли в племя func int DIA_YahYah_BecameGobbe_Cond() { if (Gobbos_Attitude == Gobbos_Attitude_Gobbo) { return TRUE; }; }; func void DIA_YahYah_BecameGobbe_Info() { AI_Output(self,other,"DIA_YahYah_BecameGobbe_19_01"); //Ях-Ях узнавай, что чужак наша много помогай и стань совсем как гоблин. AI_Output(self,other,"DIA_YahYah_BecameGobbe_19_02"); //Ях-Ях находи трава на болота. Ра-Да-По говори, это хороший трава, твоя бери. // дает царский щавель // UNFINISHED какая функция передачи? B_GiveInvItems(self,other,ItPl_Perm_Herb,1); }; ///////////////////////////// Квест: Проход в деревню гоблинов /////////////////////////////// // Я хочу пройти. // Постоянный instance DIA_YahYah_IWantInside(C_Info) { npc = Gobbo_DS2P_YahYah; nr = 10; condition = DIA_YahYah_IWantInside_Cond; information = DIA_YahYah_IWantInside_Info; description = "Я хочу пройти."; permanent = TRUE; }; // Появление: после «Кто ты?» // Окончание: получили доступ в деревню func int DIA_YahYah_IWantInside_Cond() { if (Npc_KnowsInfo(self,DIA_YahYah_WhoAreYou) && Gobbos_Attitude == Gobbos_Attitude_None && !MIS_DS2P_EnterGobboVillage_SharkTeeth) { return TRUE; }; }; func void DIA_YahYah_IWantInside_Info() { AI_Output(other,self,"DIA_YahYah_IWantInside_15_01"); //Я хочу пройти. AI_Output(self,other,"DIA_YahYah_IWantInside_19_02"); //Нельзя чужак. Чужак уходи. // Выбор варианта (несколько, каждый если еще не пробовали): Info_ClearChoices(DIA_YahYah_IWantInside); Info_AddChoice(DIA_YahYah_IWantInside,Dialog_Back,DIA_YahYah_IWantInside_Back); if (!DIA_YahYah_IWantInside_WhatDoYouWant_Once) { Info_AddChoice(DIA_YahYah_IWantInside,"Что я должен сделать, чтобы ты меня пропустил?",DIA_YahYah_IWantInside_WhatDoYouWant); }; if (!DIA_YahYah_IWantInside_Necklace_Once) { Info_AddChoice(DIA_YahYah_IWantInside,"Я могу дать тебе вот это ожерелье.",DIA_YahYah_IWantInside_Necklace); }; if (!DIA_YahYah_IWantInside_Niente_Once) { Info_AddChoice(DIA_YahYah_IWantInside,"Давай так: ты меня не видел, меня тут не было.",DIA_YahYah_IWantInside_Niente); }; if (!DIA_YahYah_IWantInside_SheGobbo_Once) { Info_AddChoice(DIA_YahYah_IWantInside,"О, смотри, какая гоблинша идет!",DIA_YahYah_IWantInside_SheGobbo); }; if (!DIA_YahYah_IWantInside_100Gold_Once) { Info_AddChoice(DIA_YahYah_IWantInside,"Вот тебе сто золотых. Пропусти меня.",DIA_YahYah_IWantInside_100Gold); }; }; func void DIA_YahYah_IWantInside_Back() { Info_ClearChoices(DIA_YahYah_IWantInside); }; // Вот тебе сто золотых. Пропусти меня. var int DIA_YahYah_IWantInside_100Gold_Once; func void DIA_YahYah_IWantInside_100Gold() { DIA_YahYah_IWantInside_100Gold_Once = TRUE; AI_Output(other,self,"DIA_YahYah_IWantInside_100Gold_15_01"); //Вот тебе сто золотых. Пропусти меня. AI_Output(self,other,"DIA_YahYah_IWantInside_100Gold_19_02"); //Чужак уходи. Ях-Ях не бери золото. }; // О, смотри, какая гоблинша идет! var int DIA_YahYah_IWantInside_SheGobbo_Once; func void DIA_YahYah_IWantInside_SheGobbo() { DIA_YahYah_IWantInside_SheGobbo_Once = TRUE; AI_Output(other,self,"DIA_YahYah_IWantInside_SheGobbo_15_01"); //О, смотри, какая гоблинша идет! // ГГ указывает рукой в сторону AI_PointAt(other,"DP_FOREST_GOBBOVIL_01"); AI_Wait(self,0.8); AI_Output(self,other,"DIA_YahYah_IWantInside_SheGobbo_19_02"); //Ях-Ях есть жена. AI_StopPointAt(other); }; // Давай так: ты меня не видел, меня тут не было. var int DIA_YahYah_IWantInside_Niente_Once; func void DIA_YahYah_IWantInside_Niente() { DIA_YahYah_IWantInside_Niente_Once = TRUE; AI_Output(other,self,"DIA_YahYah_IWantInside_Niente_15_01"); //Давай так: ты меня не видел, меня тут не было. AI_Output(self,other,"DIA_YahYah_IWantInside_19_Niente_02"); //Чужак есть. Чужак уходи! }; // Я могу дать тебе ожерелье. var int DIA_YahYah_IWantInside_Necklace_Once; func void DIA_YahYah_IWantInside_Necklace() { DIA_YahYah_IWantInside_Necklace_Once = TRUE; AI_Output(other,self,"DIA_YahYah_IWantInside_Necklace_15_01"); //Я могу дать тебе ожерелье. Оно сделано из клыков дракона. AI_Output(other,self,"DIA_YahYah_IWantInside_Necklace_15_02"); //Только представь себе, какое уважение ты примешь в своем племени. AI_Output(self,other,"DIA_YahYah_IWantInside_Necklace_19_03"); //Нет. Ях-Ях сильный охотник, старый охотник. AI_Output(self,other,"DIA_YahYah_IWantInside_Necklace_19_04"); //Ях-Ях не надо уважение, надо покой. Чужак уходи. }; // Что я должен сделать, чтобы ты меня пропустил? var int DIA_YahYah_IWantInside_WhatDoYouWant_Once; func void DIA_YahYah_IWantInside_WhatDoYouWant() { DIA_YahYah_IWantInside_WhatDoYouWant_Once = TRUE; MIS_DS2P_EnterGobboVillage_SharkTeeth = TRUE; AI_Output(other,self,"DIA_YahYah_IWantInside_15_01"); //Что я должен сделать, чтобы ты меня пропустил? AI_Output(self,other,"DIA_YahYah_IWantInside_19_02"); //Ничего. Чужак уходи. AI_Output(other,self,"DIA_YahYah_IWantInside_15_03"); //Да ладно, по твоим глазам вижу, что вам ОЧЕНЬ нужна помощь. AI_Output(self,other,"DIA_YahYah_IWantInside_19_04"); //Ладно, чужак прав. Наша надо помочь. AI_Output(self,other,"DIA_YahYah_IWantInside_19_05"); //Болотный змей много нападай наша деревня. Ях-Ях уже старый, тяжело бити змей. AI_Output(self,other,"DIA_YahYah_IWantInside_19_06"); //Чужак убий три змей, приноси Ях-Ях их клык, и Ях-Ях пропускай чужак. // Заспаунить трех акул недалеко от деревни Wld_InsertNpc(Swampshark, WP_GobboEntrance_Shark1); Wld_InsertNpc(Swampshark, WP_GobboEntrance_Shark2); Wld_InsertNpc(Swampshark, WP_GobboEntrance_Shark3); // Запись в дневнике. Квест «Проход в деревню гоблинов»: Задание B_DSG_Log_OpenClose(TOPIC_DS2P_EnterGobboVillage,LOG_MISSION,LOG_Running,TOPIC_DS2P_EnterGobboVillage_Problem); Info_ClearChoices(DIA_YahYah_IWantInside); }; // Вот, я принес клыки. // Появление: квест активен // Условие: есть три клыка болотной акулы instance DIA_YahYah_GiveSharkTeeth(C_Info) { npc = Gobbo_DS2P_YahYah; nr = 11; condition = DIA_YahYah_GiveSharkTeeth_Cond; information = DIA_YahYah_GiveSharkTeeth_Info; description = "Вот, я принес клыки."; }; func int DIA_YahYah_GiveSharkTeeth_Cond() { if (MIS_DS2P_EnterGobboVillage_SharkTeeth && Npc_HasItems(other, ItAt_SharkTeeth) >= 3) { return TRUE; }; }; func void DIA_YahYah_GiveSharkTeeth_Info() { AI_Output(other,self,"DIA_YahYah_GiveSharkTeeth_15_01"); //Вот, я принес клыки. // Отдаем 3 клыка болотной акулы B_GiveInvItems(other, self, ItAt_SharkTeeth, 3); AI_Output(self,other,"DIA_YahYah_GiveSharkTeeth_19_00"); //Чужак доказал, что друг гоблина. if (MIS_DS2P_EnterGobboVillage == LOG_Running) { // Запись в дневнике. Квест «Проход в деревню гоблинов»: Отдал клыки B_DSG_Log_OpenClose(TOPIC_DS2P_EnterGobboVillage, LOG_MISSION, LOG_Running, TOPIC_DS2P_EnterGobboVillage_GaveTeeth); // Проход разрешен, иди к вождю DIA_YahYah_AccessGranted_GoToChief(); }; }; // Я пришел от Ба-Ба-По. // Условие: вернули изумрудную статуэтку Ба-Ба-По // Окончание: получили доступ в деревню instance DIA_YahYah_FromBaBaPo(C_Info) { npc = Gobbo_DS2P_YahYah; nr = 12; condition = DIA_YahYah_FromBaBaPo_Cond; information = DIA_YahYah_FromBaBaPo_Info; description = "Я пришел от Ба-Ба-По."; }; func int DIA_YahYah_FromBaBaPo_Cond() { if (MIS_DS2P_EnterGobboVillage == LOG_Running && Gobbos_Attitude == Gobbos_Attitude_None && MIS_FigurinesGurun_EmeraldReturned) { return TRUE; }; }; func void DIA_YahYah_FromBaBaPo_Info() { AI_Output(other,self,"DIA_YahYah_FromBaBaPo_15_01"); //Я пришел от Ба-Ба-По. Он сказал, что ты меня пропустишь. AI_Output(self,other,"DIA_YahYah_FromBaBaPo_19_00"); //Ба-Ба-По хороший охотник. Ях-Ях верь ему. if (MIS_DS2P_EnterGobboVillage == LOG_Running) { // Запись в дневнике. Квест «Проход в деревню гоблинов»: За статуэтки B_DSG_Log_OpenClose(TOPIC_DS2P_EnterGobboVillage, LOG_MISSION, LOG_Running, TOPIC_DS2P_EnterGobboVillage_Figurines); // Проход разрешен, иди к вождю DIA_YahYah_AccessGranted_GoToChief(); }; }; //////////////////////////// ОХРАНА ///////////////////////////// // Не пускает в деревню, если ГГ не друг гоблинам // Появление: подошли ближе // Окончание: получили доступ в деревню // Постоянный // Обращается сам // *первый рубеж instance DIA_YahYah_FirstWarn(C_Info) { npc = Gobbo_DS2P_YahYah; nr = 0; condition = DIA_YahYah_FirstWarn_Cond; information = DIA_YahYah_FirstWarn_Info; important = TRUE; permanent = TRUE; }; func int DIA_YahYah_FirstWarn_Cond() { if (Gobbos_Attitude == 0 && self.aivar[AIV_Guardpassage_Status] == GP_NONE && (Hlp_StrCmp(Npc_GetNearestWP(self),self.wp) == TRUE) && YahYah_LastDistToWP > Npc_GetDistToWP(other,WP_GobboEntrance_Checkpoint)) { return TRUE; }; }; func void DIA_YahYah_FirstWarn_Info() { AI_Output(self,other,"DIA_YahYah_FirstWarn_19_01"); //Ррр, дальше нельзя чужак. YahYah_LastDistToWP = Npc_GetDistToWP(other,WP_GobboEntrance_Checkpoint); self.aivar[AIV_Guardpassage_Status] = GP_FirstWarnGiven; AI_StopProcessInfos(self); }; // *второй рубеж instance DIA_YahYah_SecondWarn(C_Info) { npc = Gobbo_DS2P_YahYah; nr = 0; condition = DIA_YahYah_SecondWarn_Cond; information = DIA_YahYah_SecondWarn_Info; important = TRUE; permanent = TRUE; }; func int DIA_YahYah_SecondWarn_Cond() { if (Gobbos_Attitude == 0 && self.aivar[AIV_Guardpassage_Status] == GP_FirstWarnGiven && (Hlp_StrCmp(Npc_GetNearestWP(self),self.wp) == TRUE) && YahYah_LastDistToWP > Npc_GetDistToWP(other,WP_GobboEntrance_Checkpoint)) { return TRUE; }; }; func void DIA_YahYah_SecondWarn_Info() { AI_Output(self,other,"DIA_YahYah_SecondWarn_19_00"); //Чужак, еще шаг, и Ях-Ях нападай. YahYah_LastDistToWP = Npc_GetDistToWP(other,WP_GobboEntrance_Checkpoint); self.aivar[AIV_Guardpassage_Status] = GP_SecondWarnGiven; AI_StopProcessInfos(self); }; // *последний рубеж instance DIA_YahYah_Attack(C_Info) { npc = Gobbo_DS2P_YahYah; nr = 0; condition = DIA_YahYah_Attack_Cond; information = DIA_YahYah_Attack_Info; important = TRUE; permanent = TRUE; }; func int DIA_YahYah_Attack_Cond() { if (Gobbos_Attitude == 0 && self.aivar[AIV_Guardpassage_Status] == GP_SecondWarnGiven && (Hlp_StrCmp(Npc_GetNearestWP(self),self.wp) == TRUE) && YahYah_LastDistToWP > Npc_GetDistToWP(other,WP_GobboEntrance_Checkpoint)) { return TRUE; }; }; func void DIA_YahYah_Attack_Info() { YahYah_LastDistToWP = PERC_DIST_ACTIVE_MAX; self.aivar[AIV_Guardpassage_Status] = GP_NONE; AI_Output(self,other,"DIA_YahYah_Attack_19_00"); //Кити-ша-мо! // Гоблины становятся враждебными B_DS2P_GobboVillage_Hostile(); // Нападает AI_StopProcessInfos(self); B_Attack(self,other,AR_GuardStopsIntruder,1); }; ////////////////////////////////// Обучение ///////////////////////////////////// // Извлекать клыки ////////////////////////////////// Кража ///////////////////////////////////// // Клык болотожора, сложно
D
/Users/kareemismail/XCodeProjects/FM2Apps/Movie/build/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/Objects-normal/x86_64/SwiftyJSON.o : /Users/kareemismail/XCodeProjects/FM2Apps/Movie/Pods/SwiftyJSON/Source/SwiftyJSON.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/kareemismail/XCodeProjects/FM2Apps/Movie/Pods/Target\ Support\ Files/SwiftyJSON/SwiftyJSON-umbrella.h /Users/kareemismail/XCodeProjects/FM2Apps/Movie/build/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/kareemismail/XCodeProjects/FM2Apps/Movie/build/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/Objects-normal/x86_64/SwiftyJSON~partial.swiftmodule : /Users/kareemismail/XCodeProjects/FM2Apps/Movie/Pods/SwiftyJSON/Source/SwiftyJSON.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/kareemismail/XCodeProjects/FM2Apps/Movie/Pods/Target\ Support\ Files/SwiftyJSON/SwiftyJSON-umbrella.h /Users/kareemismail/XCodeProjects/FM2Apps/Movie/build/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/kareemismail/XCodeProjects/FM2Apps/Movie/build/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/Objects-normal/x86_64/SwiftyJSON~partial.swiftdoc : /Users/kareemismail/XCodeProjects/FM2Apps/Movie/Pods/SwiftyJSON/Source/SwiftyJSON.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/kareemismail/XCodeProjects/FM2Apps/Movie/Pods/Target\ Support\ Files/SwiftyJSON/SwiftyJSON-umbrella.h /Users/kareemismail/XCodeProjects/FM2Apps/Movie/build/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
prototype Mst_Default_Skeleton(C_Npc) { name[0] = "Скелет"; guild = GIL_SKELETON; level = 25; attribute[ATR_STRENGTH] = 80; attribute[ATR_DEXTERITY] = 30; attribute[ATR_HITPOINTS_MAX] = 300; attribute[ATR_HITPOINTS] = 300; attribute[ATR_MANA_MAX] = 200; attribute[ATR_MANA] = 200; protection[PROT_BLUNT] = 35; protection[PROT_EDGE] = 50; protection[PROT_POINT] = 100; protection[PROT_FIRE] = 35; protection[PROT_FLY] = 0; protection[PROT_MAGIC] = 35; damagetype = DAM_EDGE; fight_tactic = FAI_SKELETON; senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL; senses_range = 3000; aivar[AIV_FINDABLE] = PACKHUNTER; aivar[AIV_PCISSTRONGER] = 2000; aivar[AIV_BEENATTACKED] = 1500; aivar[AIV_HIGHWAYMEN] = 1500; aivar[AIV_HAS_ERPRESSED] = 0; aivar[AIV_BEGGAR] = 5; aivar[AIV_OBSERVEINTRUDER] = FALSE; start_aistate = ZS_MM_AllScheduler; }; func void Set_Skeleton_Visuals() { Mdl_SetVisual(self,"HumanS.mds"); Mdl_ApplyOverlayMds(self,"humans_skeleton.mds"); Mdl_SetVisualBody(self,"Ske_Body",DEFAULT,DEFAULT,"",DEFAULT,DEFAULT,-1); }; func void Set_SkeletonWarrior_Visuals() { Mdl_SetVisual(self,"HumanS.mds"); Mdl_ApplyOverlayMds(self,"humans_skeleton.mds"); Mdl_SetVisualBody(self,"Ske_Body3",DEFAULT,DEFAULT,"",DEFAULT,DEFAULT,-1); }; func void Set_SkeletonScout_Visuals() { Mdl_SetVisual(self,"HumanS.mds"); Mdl_ApplyOverlayMds(self,"humans_skeleton.mds"); Mdl_SetVisualBody(self,"Ske_Body2",DEFAULT,DEFAULT,"",DEFAULT,DEFAULT,-1); }; func void Set_SkeletonMage_Visuals() { Mdl_SetVisual(self,"HumanS.mds"); Mdl_ApplyOverlayMds(self,"humans_skeleton.mds"); Mdl_ApplyOverlayMds(self,"humans_skeleton_fly.mds"); Mdl_SetVisualBody(self,"Ske_Fly_Body",1,DEFAULT,"",1,DEFAULT,-1); }; instance Skeleton(Mst_Default_Skeleton) { aivar[AIV_IMPORTANT] = id_skeleton; Set_Skeleton_Visuals(); Npc_SetToFightMode(self,ItMw_1H_Sword_Old_01); attribute[ATR_STRENGTH] = attribute[ATR_STRENGTH] + 10; }; instance SkeletonSH(Mst_Default_Skeleton) { aivar[AIV_IMPORTANT] = ID_SKELETON; Set_Skeleton_Visuals(); Npc_SetToFightMode(self,ItMw_1H_Axe_Old_01); attribute[ATR_STRENGTH] = attribute[ATR_STRENGTH] + 10; protection[PROT_FIRE] = 40; senses_range = 1000; aivar[AIV_FINDABLE] = PACKHUNTER; aivar[AIV_PCISSTRONGER] = 1000; aivar[AIV_BEENATTACKED] = 1000; aivar[AIV_HIGHWAYMEN] = 1000; aivar[AIV_HAS_ERPRESSED] = 0; aivar[AIV_BEGGAR] = 5; aivar[AIV_OBSERVEINTRUDER] = FALSE; }; instance SkeletonScout(Mst_Default_Skeleton) { name[0] = "Скелет-копейщик"; aivar[AIV_IMPORTANT] = id_skeletonscout; Set_SkeletonScout_Visuals(); Npc_SetToFightMode(self,ItMw_1H_Scythe_01); attribute[ATR_STRENGTH] = attribute[ATR_STRENGTH] + 10; }; instance SkeletonWarrior(Mst_Default_Skeleton) { name[0] = "Скелет-воин"; Set_SkeletonWarrior_Visuals(); level = 30; attribute[ATR_STRENGTH] = 120; aivar[AIV_IMPORTANT] = id_skeletonwarrior; Npc_SetToFightMode(self,ItMw_1H_Axe_Old_01); attribute[ATR_STRENGTH] = attribute[ATR_STRENGTH] + 10; }; instance SkeletonMage(Mst_Default_Skeleton) { aivar[AIV_IMPORTANT] = id_skeletonmage; Set_SkeletonMage_Visuals(); name[0] = "Скелет-маг"; guild = GIL_DEMON; level = 50; protection[PROT_BLUNT] = 50; protection[PROT_EDGE] = 80; protection[PROT_POINT] = 50; protection[PROT_FIRE] = 50; protection[PROT_FLY] = 0; protection[PROT_MAGIC] = 50; fight_tactic = FAI_HUMAN_MAGE; CreateInvItem(self,ItArRuneThunderbolt); CreateInvItems(self,ItArScrollSummonSkeletons,5); }; instance SkeletonMage_fogtower(Mst_Default_Skeleton) { aivar[AIV_IMPORTANT] = ID_SKELETONMAGE; Set_SkeletonMage_Visuals(); name[0] = "Скелет-маг туманной башни"; guild = GIL_DEMON; level = 50; protection[PROT_BLUNT] = 50; protection[PROT_EDGE] = 80; protection[PROT_POINT] = 50; protection[PROT_FIRE] = 50; protection[PROT_FLY] = 0; protection[PROT_MAGIC] = 50; fight_tactic = FAI_HUMAN_MAGE; CreateInvItem(self,ItArRuneThunderbolt); CreateInvItems(self,ItArScrollSummonSkeletons,5); CreateInvItem(self,theriddle1); }; instance SummonedByPC_Skeleton(Mst_Default_Skeleton) { aivar[AIV_IMPORTANT] = ID_SKELETON; Set_Skeleton_Visuals(); Npc_SetToFightMode(self,ItMw_1H_Sword_Old_01); attribute[ATR_STRENGTH] = attribute[ATR_STRENGTH] + 10; senses = SENSE_HEAR | SENSE_SEE; start_aistate = ZS_MM_SummonedByPC; aivar[AIV_HASDEFEATEDSC] = 300; aivar[AIV_ISLOOKING] = 5; aivar[AIV_MOVINGMOB] = TRUE; }; instance SummonedByNPC_Skeleton(Mst_Default_Skeleton) { aivar[AIV_IMPORTANT] = ID_SKELETON; Set_Skeleton_Visuals(); Npc_SetToFightMode(self,ItMw_1H_Sword_Old_01); attribute[ATR_STRENGTH] = attribute[ATR_STRENGTH] + 10; start_aistate = ZS_MM_Summoned; }; instance SummonedByPC_SkeletonWarrior(Mst_Default_Skeleton) { name[0] = "Скелет-боец"; level = 30; attribute[ATR_STRENGTH] = 120; senses = SENSE_HEAR | SENSE_SEE; aivar[AIV_IMPORTANT] = ID_SKELETONWARRIOR; Set_SkeletonWarrior_Visuals(); Npc_SetToFightMode(self,ItMw_1H_Axe_Old_01); attribute[ATR_STRENGTH] = attribute[ATR_STRENGTH] + 10; start_aistate = ZS_MM_SummonedByPC; aivar[AIV_HASDEFEATEDSC] = 300; aivar[AIV_ISLOOKING] = 5; aivar[AIV_MOVINGMOB] = TRUE; }; instance SummonedByNPC_SkeletonWarrior(Mst_Default_Skeleton) { name[0] = "Скелет-боец"; level = 30; attribute[ATR_STRENGTH] = 120; aivar[AIV_IMPORTANT] = ID_SKELETONWARRIOR; Set_SkeletonWarrior_Visuals(); Npc_SetToFightMode(self,ItMw_1H_Axe_Old_01); attribute[ATR_STRENGTH] = attribute[ATR_STRENGTH] + 10; start_aistate = ZS_MM_Summoned; };
D
func void B_RestartGreententacle() { if(Npc_GetLastHitSpellID(self) == SPL_GreenTentacle) { Npc_SetStateTime(self,0); }; }; func void B_StopGreententacle() { Npc_PercEnable(self,PERC_ASSESSMAGIC,B_AssessMagic); Npc_PercEnable(self,PERC_ASSESSDAMAGE,B_OnDamage); Npc_ClearAIQueue(self); AI_Standup(self); if(self.guild < GIL_SEPERATOR_HUM) { B_AssessDamage(); } else { Npc_SetTempAttitude(self,ATT_HOSTILE); }; }; func void ZS_Greententacle() //испр. - int на void { var int randy; Npc_PercEnable(self,PERC_ASSESSMAGIC,B_RestartGreententacle); Npc_PercEnable(self,PERC_ASSESSDAMAGE,B_AssessDamage); Npc_StopAni(self,"S_GREENTENTACLEA_VICTIM"); Npc_StopAni(self,"S_GREENTENTACLEB_VICTIM"); Npc_StopAni(self,"S_GREENTENTACLEC_VICTIM"); Npc_ClearAIQueue(self); AI_Standup(self); if(!C_BodyStateContains(self,BS_UNCONSCIOUS)) { if(self.guild < GIL_SEPERATOR_HUM) { if(randy == 0) { AI_PlayAniBS(self,"T_STAND_2_GREENTENTACLEA_VICTIM",BS_UNCONSCIOUS); }; if(randy == 1) { AI_PlayAniBS(self,"T_STAND_2_GREENTENTACLEB_VICTIM",BS_UNCONSCIOUS); }; if(randy == 2) { AI_PlayAniBS(self,"T_STAND_2_GREENTENTACLEC_VICTIM",BS_UNCONSCIOUS); }; } else { AI_PlayAniBS(self,"T_STAND_2_FREEZE_VICTIM",BS_UNCONSCIOUS); }; }; }; func int ZS_Greententacle_Loop() { if(Npc_GetStateTime(self) > SPL_TIME_Greententacle) { B_StopGreententacle(); return LOOP_END; }; return LOOP_CONTINUE; }; func void ZS_GreenTentacle_End() { };
D
/Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/build/OTVDraft.build/Debug-iphonesimulator/OTVDraft.build/Objects-normal/x86_64/MerchView.o : /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/SceneDelegate.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/AppDelegate.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/OTVModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/URLImageModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/StreamerModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Viewmodel/OTVViewModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeTabBar.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/ViewRouter.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/ImageModifiers.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/TextModifiers.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/OTVView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/URLImageView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/HomeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeHomeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/MerchView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/TwitchView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeAllView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/CustomTabBarView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeStreamerView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/TwitterView.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/CoreData.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/os.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/SwiftUI.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/CoreData.framework/Headers/CoreData.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.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/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/build/OTVDraft.build/Debug-iphonesimulator/OTVDraft.build/Objects-normal/x86_64/MerchView~partial.swiftmodule : /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/SceneDelegate.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/AppDelegate.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/OTVModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/URLImageModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/StreamerModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Viewmodel/OTVViewModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeTabBar.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/ViewRouter.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/ImageModifiers.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/TextModifiers.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/OTVView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/URLImageView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/HomeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeHomeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/MerchView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/TwitchView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeAllView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/CustomTabBarView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeStreamerView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/TwitterView.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/CoreData.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/os.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/SwiftUI.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/CoreData.framework/Headers/CoreData.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.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/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/build/OTVDraft.build/Debug-iphonesimulator/OTVDraft.build/Objects-normal/x86_64/MerchView~partial.swiftdoc : /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/SceneDelegate.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/AppDelegate.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/OTVModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/URLImageModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/StreamerModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Viewmodel/OTVViewModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeTabBar.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/ViewRouter.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/ImageModifiers.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/TextModifiers.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/OTVView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/URLImageView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/HomeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeHomeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/MerchView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/TwitchView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeAllView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/CustomTabBarView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeStreamerView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/TwitterView.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/CoreData.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/os.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/SwiftUI.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/CoreData.framework/Headers/CoreData.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.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/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/build/OTVDraft.build/Debug-iphonesimulator/OTVDraft.build/Objects-normal/x86_64/MerchView~partial.swiftsourceinfo : /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/SceneDelegate.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/AppDelegate.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/OTVModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/URLImageModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Model/StreamerModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/Viewmodel/OTVViewModel.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeTabBar.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/ViewRouter.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/ImageModifiers.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/TextModifiers.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/OTVView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/util/URLImageView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/HomeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeHomeView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/MerchView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/TwitchView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeAllView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/CustomTabBarView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/Youtube/YoutubeStreamerView.swift /Users/Kewlwasabi/Documents/HOME/Dev/IOS/OTVDraft/OTVDraft/View/TwitterView.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/CoreData.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/os.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/SwiftUI.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/CoreData.framework/Headers/CoreData.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.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
/Users/lukeporupski/Projects/Added_2/build/Added_2.build/Debug-iphonesimulator/Added_2.build/Objects-normal/x86_64/CardCell.o : /Users/lukeporupski/Projects/Added_2/Added_2/LFLoginController.swift /Users/lukeporupski/Projects/Added_2/Added_2/EZSwipeController.swift /Users/lukeporupski/Projects/Added_2/Added_2/CIColorExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/ExpandingMenuButton.swift /Users/lukeporupski/Projects/Added_2/Added_2/AutoCompleteTextFieldConstants.swift /Users/lukeporupski/Projects/Added_2/Added_2/FontAwesomeView.swift /Users/lukeporupski/Projects/Added_2/Added_2/CardCell.swift /Users/lukeporupski/Projects/Added_2/Added_2/SAConfettiView.swift /Users/lukeporupski/Projects/Added_2/Added_2/QRCode.swift /Users/lukeporupski/Projects/Added_2/Added_2/Enum.swift /Users/lukeporupski/Projects/Added_2/Added_2/AutoCompleteTextField.swift /Users/lukeporupski/Projects/Added_2/Added_2/CardView.swift /Users/lukeporupski/Projects/Added_2/Added_2/HistoryViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/HomeViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/ScrollViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/AutoCompleteTextFieldProtocols.swift /Users/lukeporupski/Projects/Added_2/Added_2/UIViewControllerExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/CIImageExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/AppDelegate.swift /Users/lukeporupski/Projects/Added_2/Added_2/FontAwesome.swift /Users/lukeporupski/Projects/Added_2/Added_2/CustomFlipTransition.swift /Users/lukeporupski/Projects/Added_2/Added_2/SettingsViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/UIViewExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/BackgroundVideo.swift /Users/lukeporupski/Projects/Added_2/Added_2/GuillotineMenuTransitionAnimation.swift /Users/lukeporupski/Projects/Added_2/Added_2/MainViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/ExpandingMenuItem.swift /Users/lukeporupski/Projects/Added_2/Added_2/CustomCardLayout.swift /Users/lukeporupski/Projects/Added_2/Added_2/CameraViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/lukeporupski/Projects/Added_2/Added_2/Added_2-Bridging-Header.h /Users/lukeporupski/Projects/Added_2/Added_2/StickCollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/lukeporupski/Projects/Added_2/Added_2/SCPrimerCollectionViewCell.h /Users/lukeporupski/Projects/Added_2/Added_2/SCCornerCollectionViewCell.h /Users/lukeporupski/Projects/Added_2/Added_2/SCCornerViewController.h /Users/lukeporupski/Projects/Added_2/Added_2/SCPrimerViewController.h /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Modules/BubbleTransition.swiftmodule/x86_64.swiftmodule /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Headers/BubbleTransition-Swift.h /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Headers/BubbleTransition-umbrella.h /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Modules/module.modulemap /Users/lukeporupski/Projects/Added_2/build/Added_2.build/Debug-iphonesimulator/Added_2.build/Objects-normal/x86_64/CardCell~partial.swiftmodule : /Users/lukeporupski/Projects/Added_2/Added_2/LFLoginController.swift /Users/lukeporupski/Projects/Added_2/Added_2/EZSwipeController.swift /Users/lukeporupski/Projects/Added_2/Added_2/CIColorExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/ExpandingMenuButton.swift /Users/lukeporupski/Projects/Added_2/Added_2/AutoCompleteTextFieldConstants.swift /Users/lukeporupski/Projects/Added_2/Added_2/FontAwesomeView.swift /Users/lukeporupski/Projects/Added_2/Added_2/CardCell.swift /Users/lukeporupski/Projects/Added_2/Added_2/SAConfettiView.swift /Users/lukeporupski/Projects/Added_2/Added_2/QRCode.swift /Users/lukeporupski/Projects/Added_2/Added_2/Enum.swift /Users/lukeporupski/Projects/Added_2/Added_2/AutoCompleteTextField.swift /Users/lukeporupski/Projects/Added_2/Added_2/CardView.swift /Users/lukeporupski/Projects/Added_2/Added_2/HistoryViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/HomeViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/ScrollViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/AutoCompleteTextFieldProtocols.swift /Users/lukeporupski/Projects/Added_2/Added_2/UIViewControllerExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/CIImageExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/AppDelegate.swift /Users/lukeporupski/Projects/Added_2/Added_2/FontAwesome.swift /Users/lukeporupski/Projects/Added_2/Added_2/CustomFlipTransition.swift /Users/lukeporupski/Projects/Added_2/Added_2/SettingsViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/UIViewExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/BackgroundVideo.swift /Users/lukeporupski/Projects/Added_2/Added_2/GuillotineMenuTransitionAnimation.swift /Users/lukeporupski/Projects/Added_2/Added_2/MainViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/ExpandingMenuItem.swift /Users/lukeporupski/Projects/Added_2/Added_2/CustomCardLayout.swift /Users/lukeporupski/Projects/Added_2/Added_2/CameraViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/lukeporupski/Projects/Added_2/Added_2/Added_2-Bridging-Header.h /Users/lukeporupski/Projects/Added_2/Added_2/StickCollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/lukeporupski/Projects/Added_2/Added_2/SCPrimerCollectionViewCell.h /Users/lukeporupski/Projects/Added_2/Added_2/SCCornerCollectionViewCell.h /Users/lukeporupski/Projects/Added_2/Added_2/SCCornerViewController.h /Users/lukeporupski/Projects/Added_2/Added_2/SCPrimerViewController.h /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Modules/BubbleTransition.swiftmodule/x86_64.swiftmodule /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Headers/BubbleTransition-Swift.h /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Headers/BubbleTransition-umbrella.h /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Modules/module.modulemap /Users/lukeporupski/Projects/Added_2/build/Added_2.build/Debug-iphonesimulator/Added_2.build/Objects-normal/x86_64/CardCell~partial.swiftdoc : /Users/lukeporupski/Projects/Added_2/Added_2/LFLoginController.swift /Users/lukeporupski/Projects/Added_2/Added_2/EZSwipeController.swift /Users/lukeporupski/Projects/Added_2/Added_2/CIColorExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/ExpandingMenuButton.swift /Users/lukeporupski/Projects/Added_2/Added_2/AutoCompleteTextFieldConstants.swift /Users/lukeporupski/Projects/Added_2/Added_2/FontAwesomeView.swift /Users/lukeporupski/Projects/Added_2/Added_2/CardCell.swift /Users/lukeporupski/Projects/Added_2/Added_2/SAConfettiView.swift /Users/lukeporupski/Projects/Added_2/Added_2/QRCode.swift /Users/lukeporupski/Projects/Added_2/Added_2/Enum.swift /Users/lukeporupski/Projects/Added_2/Added_2/AutoCompleteTextField.swift /Users/lukeporupski/Projects/Added_2/Added_2/CardView.swift /Users/lukeporupski/Projects/Added_2/Added_2/HistoryViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/HomeViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/ScrollViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/AutoCompleteTextFieldProtocols.swift /Users/lukeporupski/Projects/Added_2/Added_2/UIViewControllerExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/CIImageExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/AppDelegate.swift /Users/lukeporupski/Projects/Added_2/Added_2/FontAwesome.swift /Users/lukeporupski/Projects/Added_2/Added_2/CustomFlipTransition.swift /Users/lukeporupski/Projects/Added_2/Added_2/SettingsViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/UIViewExtension.swift /Users/lukeporupski/Projects/Added_2/Added_2/BackgroundVideo.swift /Users/lukeporupski/Projects/Added_2/Added_2/GuillotineMenuTransitionAnimation.swift /Users/lukeporupski/Projects/Added_2/Added_2/MainViewController.swift /Users/lukeporupski/Projects/Added_2/Added_2/ExpandingMenuItem.swift /Users/lukeporupski/Projects/Added_2/Added_2/CustomCardLayout.swift /Users/lukeporupski/Projects/Added_2/Added_2/CameraViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/lukeporupski/Projects/Added_2/Added_2/Added_2-Bridging-Header.h /Users/lukeporupski/Projects/Added_2/Added_2/StickCollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/lukeporupski/Projects/Added_2/Added_2/SCPrimerCollectionViewCell.h /Users/lukeporupski/Projects/Added_2/Added_2/SCCornerCollectionViewCell.h /Users/lukeporupski/Projects/Added_2/Added_2/SCCornerViewController.h /Users/lukeporupski/Projects/Added_2/Added_2/SCPrimerViewController.h /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Modules/BubbleTransition.swiftmodule/x86_64.swiftmodule /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Headers/BubbleTransition-Swift.h /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Headers/BubbleTransition-umbrella.h /Users/lukeporupski/Projects/Added_2/build/Debug-iphonesimulator/BubbleTransition.framework/Modules/module.modulemap
D
module app.groupraft; import common.network; import common.raft.node; import hunt.raft; import hunt.logging; import hunt.util.Serialize; import hunt.util.timer; import hunt.net; import std.string; import std.conv; import std.format; import core.thread; import core.sync.mutex; import common.wal.storage; alias Server = common.network.server.Server; alias Client = common.network.client.Client; alias Storage = common.wal.storage.Storage; class ClusterClient { ulong firstID; string host; ushort port; string apihost; ushort apiport; } class GroupRaft : MessageReceiver { this() { } //node1 [1,2,3] //node2 [1,2,4] //node3 [2,3,4] //node4 [1,2,3] void addPeer(ulong ID , string data) { if(ID in _clients) return ; auto client = new Client(_ID , ID); string[] hostport = split(data , ":"); client.connect(hostport[0] , to!int(hostport[1]) , (Result!NetSocket result){ if(result.failed()){ new Thread((){ Thread.sleep(dur!"seconds"(1)); addPeer(ID , data); }).start(); return; } _clients[ID] = client; logInfo(_ID , " client connected " , hostport[0] , " " , hostport[1]); }); } void start(ulong firstID , ulong[][ulong] regions , ClusterClient[] clients) { foreach(c ; clients) { //server if(firstID == c.firstID) { _server = new Server!(Base ,MessageReceiver)(firstID , this); _server.listen(c.host , c.port); logInfo(firstID , " server open " , c.host , " " , c.port); } //client else { addPeer(c.firstID , c.host ~ ":" ~ to!string(c.port)); } } _ID = firstID; _mutex = new Mutex(); foreach(k , v ; regions) { Config conf = new Config(); auto kvs = new Storage(); auto store = new MemoryStorage(); auto ID = (firstID * 10 + k); Peer[] peers; foreach( id ; v) { Peer p = {ID: id * 10 +k}; peers ~= p; } logInfo(ID ," " , peers , v); Snapshot *shot = null; ConfState confState; ulong snapshotIndex; ulong appliedIndex; ulong lastIndex; RawNode node; HardState hs; Entry[] ents; bool exist = kvs.load("snap.log" ~ to!string(ID) , "entry.log" ~ to!string(ID) ,"hs.log" ~ to!string(ID), shot , hs , ents); if(shot != null) { store.ApplySnapshot(*shot); confState = shot.Metadata.CS; snapshotIndex = shot.Metadata.Index; appliedIndex = shot.Metadata.Index; } store.setHadrdState(hs); store.Append(ents); if(ents.length > 0) { lastIndex = ents[$ - 1].Index; } conf._ID = ID; conf._ElectionTick = 10; conf._HeartbeatTick = 1; conf._storage = store; conf._MaxSizePerMsg = 1024 * 1024; conf._MaxInflightMsgs = 256; if(exist) { node = new RawNode(conf); } else { node = new RawNode(conf , peers); } _rafts[ID] = new Node(ID , store , node , kvs , lastIndex ,confState , snapshotIndex , appliedIndex); } logInfo(_clients , " " , _rafts); /// ready new Thread((){ while(1) { ready(); Thread.sleep(dur!"msecs"(10)); } }).start(); /// tick new Thread((){ while(1){ tick(); Thread.sleep(dur!"msecs"(100)); } }).start(); NetUtil.startEventLoop(-1); } void tick() { _mutex.lock(); foreach( r ; _rafts) { r.node.Tick(); } _mutex.unlock(); } void ready() { _mutex.lock(); foreach(r ; _rafts) { Ready rd = r.node.ready(); if(!rd.containsUpdates()) { continue; } r.store.save(rd.hs , rd.Entries); if(!IsEmptySnap(rd.snap)) { r.store.saveSnap(rd.snap); r.storage.ApplySnapshot(rd.snap); r.publishSnapshot(rd.snap); } r.storage.Append(rd.Entries); send(rd.Messages); r.publishEntries(r.entriesToApply(rd.CommittedEntries)); r.maybeTriggerSnapshot(); r.node.Advance(rd); } _mutex.unlock(); } void send(Message[] msg) { //logInfo(msg); foreach(m ; msg) { ulong ID = m.To / 10; if(ID in _clients) _clients[ID].write(m); } } void step(Message msg) { _mutex.lock(); _rafts[msg.To].node.Step(msg); _mutex.unlock(); } Server!(Base,MessageReceiver) _server; MessageTransfer[ulong] _clients; Node[ulong] _rafts; Storage _storage; Mutex _mutex; ulong _ID; }
D
/Users/davefol/punts/rust/competitive-programming-in-rust/codeforces/641_Div_2/A_Orac_and_Factors/target/debug/deps/A_Orac_and_Factors-078a1de82b0e1563: src/main.rs /Users/davefol/punts/rust/competitive-programming-in-rust/codeforces/641_Div_2/A_Orac_and_Factors/target/debug/deps/A_Orac_and_Factors-078a1de82b0e1563.d: src/main.rs src/main.rs:
D
/** * Compiler implementation of the * $(LINK2 https://www.dlang.org, D programming language). * * Copyright: Copyright (C) 1994-1998 by Symantec * Copyright (C) 2000-2023 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/backend/obj.d, backend/obj.d) */ module dmd.backend.obj; // Online documentation: https://dlang.org/phobos/dmd_backend_obj.html /* Interface to object file format */ import dmd.backend.cdef; import dmd.backend.cc; import dmd.backend.code; import dmd.backend.el; import dmd.common.outbuffer; extern (C++): nothrow: version (Windows) { } else version (Posix) { } else static assert(0, "unsupported version"); /******************************************************************/ /* Functions common to all object formats */ mixin(ObjMemDecl("Obj $Obj_init(OutBuffer *, const(char)* filename, const(char)* csegname)")); mixin(ObjMemDecl("void $Obj_initfile(const(char)* filename, const(char)* csegname, const(char)* modname)")); mixin(ObjMemDecl("void $Obj_termfile()")); mixin(ObjMemDecl("void $Obj_term(const(char)* objfilename)")); mixin(ObjMemDecl("void $Obj_linnum(Srcpos srcpos, int seg, targ_size_t offset)")); mixin(ObjMemDecl("int $Obj_codeseg(const char *name,int suffix)")); mixin(ObjMemDecl("void $Obj_startaddress(Symbol *)")); mixin(ObjMemDecl("bool $Obj_includelib(const(char)* )")); mixin(ObjMemDecl("bool $Obj_linkerdirective(const(char)* )")); mixin(ObjMemDecl("bool $Obj_allowZeroSize()")); mixin(ObjMemDecl("void $Obj_exestr(const(char)* p)")); mixin(ObjMemDecl("void $Obj_user(const(char)* p)")); mixin(ObjMemDecl("void $Obj_compiler(const(char)* p)")); mixin(ObjMemDecl("void $Obj_wkext(Symbol *,Symbol *)")); mixin(ObjMemDecl("void $Obj_alias(const(char)* n1,const(char)* n2)")); mixin(ObjMemDecl("void $Obj_staticctor(Symbol *s,int dtor,int seg)")); mixin(ObjMemDecl("void $Obj_staticdtor(Symbol *s)")); mixin(ObjMemDecl("void $Obj_setModuleCtorDtor(Symbol *s, bool isCtor)")); mixin(ObjMemDecl("void $Obj_ehtables(Symbol *sfunc,uint size,Symbol *ehsym)")); mixin(ObjMemDecl("void $Obj_ehsections()")); mixin(ObjMemDecl("void $Obj_moduleinfo(Symbol *scc)")); mixin(ObjMemDecl("int $Obj_comdat(Symbol *)")); mixin(ObjMemDecl("int $Obj_comdatsize(Symbol *, targ_size_t symsize)")); mixin(ObjMemDecl("int $Obj_readonly_comdat(Symbol *s)")); mixin(ObjMemDecl("void $Obj_setcodeseg(int seg)")); mixin(ObjMemDecl("seg_data* $Obj_tlsseg()")); mixin(ObjMemDecl("seg_data* $Obj_tlsseg_bss()")); mixin(ObjMemDecl("seg_data* $Obj_tlsseg_data()")); mixin(ObjMemDecl("void $Obj_export_symbol(Symbol *s, uint argsize)")); mixin(ObjMemDecl("void $Obj_pubdef(int seg, Symbol *s, targ_size_t offset)")); mixin(ObjMemDecl("void $Obj_pubdefsize(int seg, Symbol *s, targ_size_t offset, targ_size_t symsize)")); mixin(ObjMemDecl("int $Obj_external_def(const(char)*)")); mixin(ObjMemDecl("int $Obj_data_start(Symbol *sdata, targ_size_t datasize, int seg)")); mixin(ObjMemDecl("int $Obj_external(Symbol *)")); mixin(ObjMemDecl("int $Obj_common_block(Symbol *s, targ_size_t size, targ_size_t count)")); mixin(ObjMemDecl("int $Obj_common_block(Symbol *s, int flag, targ_size_t size, targ_size_t count)")); mixin(ObjMemDecl("void $Obj_lidata(int seg, targ_size_t offset, targ_size_t count)")); mixin(ObjMemDecl("void $Obj_write_zeros(seg_data *pseg, targ_size_t count)")); mixin(ObjMemDecl("void $Obj_write_byte(seg_data *pseg, uint _byte)")); mixin(ObjMemDecl("void $Obj_write_bytes(seg_data *pseg, uint nbytes, const(void)* p)")); mixin(ObjMemDecl("void $Obj_byte(int seg, targ_size_t offset, uint _byte)")); mixin(ObjMemDecl("uint $Obj_bytes(int seg, targ_size_t offset, uint nbytes, const(void)* p)")); mixin(ObjMemDecl("void $Obj_reftodatseg(int seg, targ_size_t offset, targ_size_t val, uint targetdatum, int flags)")); mixin(ObjMemDecl("void $Obj_reftocodeseg(int seg, targ_size_t offset, targ_size_t val)")); mixin(ObjMemDecl("int $Obj_reftoident(int seg, targ_size_t offset, Symbol *s, targ_size_t val, int flags)")); mixin(ObjMemDecl("void $Obj_far16thunk(Symbol *s)")); mixin(ObjMemDecl("void $Obj_fltused()")); mixin(ObjMemDecl("int $Obj_data_readonly(char *p, int len, int *pseg)")); mixin(ObjMemDecl("int $Obj_data_readonly(char *p, int len)")); mixin(ObjMemDecl("int $Obj_string_literal_segment(uint sz)")); mixin(ObjMemDecl("Symbol* $Obj_sym_cdata(tym_t, char *, int)")); mixin(ObjMemDecl("void $Obj_func_start(Symbol *sfunc)")); mixin(ObjMemDecl("void $Obj_func_term(Symbol *sfunc)")); mixin(ObjMemDecl("void $Obj_write_pointerRef(Symbol* s, uint off)")); mixin(ObjMemDecl("int $Obj_jmpTableSegment(Symbol* s)")); mixin(ObjMemDecl("Symbol* $Obj_tlv_bootstrap()")); import dmd.backend.cgobj; import dmd.backend.mscoffobj; import dmd.backend.elfobj; import dmd.backend.machobj; /******************************************************************/ version (STUB) { public import stubobj; } else { /******************************************* * Generic interface to the four object module file formats supported. * Instead of using virtual functions (i.e. virtual dispatch) it uses * static dispatch. Since config.objfmt never changes after initialization * of the compiler, static branch prediction should make it faster than * virtual dispatch. * * Making static dispatch work requires tediously repetitive boilerplate, * which we accomplish via string mixins. */ class Obj { static { nothrow: Obj initialize(OutBuffer* objbuf, const(char)* filename, const(char)* csegname) { mixin(genRetVal("init(objbuf, filename, csegname)")); } void initfile(const(char)* filename, const(char)* csegname, const(char)* modname) { mixin(genRetVal("initfile(filename, csegname, modname)")); } void termfile() { mixin(genRetVal("termfile()")); } void term(const(char)* objfilename) { mixin(genRetVal("term(objfilename)")); } size_t mangle(Symbol *s,char *dest) { assert(config.objfmt == OBJ_OMF); return OmfObj_mangle(s, dest); } void _import(elem *e) { assert(config.objfmt == OBJ_OMF); return OmfObj_import(e); } void linnum(Srcpos srcpos, int seg, targ_size_t offset) { mixin(genRetVal("linnum(srcpos, seg, offset)")); } int codeseg(const char *name,int suffix) { mixin(genRetVal("codeseg(name, suffix)")); } void dosseg() { assert(config.objfmt == OBJ_OMF); return OmfObj_dosseg(); } void startaddress(Symbol *s) { mixin(genRetVal("startaddress(s)")); } bool includelib(const(char)* name) { mixin(genRetVal("includelib(name)")); } bool linkerdirective(const(char)* p) { mixin(genRetVal("linkerdirective(p)")); } bool allowZeroSize() { mixin(genRetVal("allowZeroSize()")); } void exestr(const(char)* p) { mixin(genRetVal("exestr(p)")); } void user(const(char)* p) { mixin(genRetVal("user(p)")); } void compiler(const(char)* p) { mixin(genRetVal("compiler(p)")); } void wkext(Symbol* s1, Symbol* s2) { mixin(genRetVal("wkext(s1, s2)")); } void lzext(Symbol* s1, Symbol* s2) { assert(config.objfmt == OBJ_OMF); OmfObj_lzext(s1, s2); } void _alias(const(char)* n1,const(char)* n2) { mixin(genRetVal("alias(n1, n2)")); } void theadr(const(char)* modname) { assert(config.objfmt == OBJ_OMF); OmfObj_theadr(modname); } void segment_group(targ_size_t codesize, targ_size_t datasize, targ_size_t cdatasize, targ_size_t udatasize) { assert(config.objfmt == OBJ_OMF); OmfObj_segment_group(codesize, datasize, cdatasize, udatasize); } void staticctor(Symbol *s,int dtor,int seg) { mixin(genRetVal("staticctor(s, dtor, seg)")); } void staticdtor(Symbol *s) { mixin(genRetVal("staticdtor(s)")); } void setModuleCtorDtor(Symbol *s, bool isCtor) { mixin(genRetVal("setModuleCtorDtor(s, isCtor)")); } void ehtables(Symbol *sfunc,uint size,Symbol *ehsym) { mixin(genRetVal("ehtables(sfunc, size, ehsym)")); } void ehsections() { mixin(genRetVal("ehsections()")); } void moduleinfo(Symbol *scc) { mixin(genRetVal("moduleinfo(scc)")); } int comdat(Symbol *s) { mixin(genRetVal("comdat(s)")); } int comdatsize(Symbol *s, targ_size_t symsize) { mixin(genRetVal("comdatsize(s, symsize)")); } int readonly_comdat(Symbol *s) { mixin(genRetVal("comdat(s)")); } void setcodeseg(int seg) { mixin(genRetVal("setcodeseg(seg)")); } seg_data *tlsseg() { mixin(genRetVal("tlsseg()")); } seg_data *tlsseg_bss() { mixin(genRetVal("tlsseg_bss()")); } seg_data *tlsseg_data() { mixin(genRetVal("tlsseg_data()")); } int fardata(char *name, targ_size_t size, targ_size_t *poffset) { assert(config.objfmt == OBJ_OMF); return OmfObj_fardata(name, size, poffset); } void export_symbol(Symbol *s, uint argsize) { mixin(genRetVal("export_symbol(s, argsize)")); } void pubdef(int seg, Symbol *s, targ_size_t offset) { mixin(genRetVal("pubdef(seg, s, offset)")); } void pubdefsize(int seg, Symbol *s, targ_size_t offset, targ_size_t symsize) { mixin(genRetVal("pubdefsize(seg, s, offset, symsize)")); } int external_def(const(char)* name) { mixin(genRetVal("external_def(name)")); } int data_start(Symbol *sdata, targ_size_t datasize, int seg) { mixin(genRetVal("data_start(sdata, datasize, seg)")); } int external(Symbol *s) { mixin(genRetVal("external(s)")); } int common_block(Symbol *s, targ_size_t size, targ_size_t count) { mixin(genRetVal("common_block(s, size, count)")); } int common_block(Symbol *s, int flag, targ_size_t size, targ_size_t count) { mixin(genRetVal("common_block(s, flag, size, count)")); } void lidata(int seg, targ_size_t offset, targ_size_t count) { mixin(genRetVal("lidata(seg, offset, count)")); } void write_zeros(seg_data *pseg, targ_size_t count) { mixin(genRetVal("write_zeros(pseg, count)")); } void write_byte(seg_data *pseg, uint _byte) { mixin(genRetVal("write_byte(pseg, _byte)")); } void write_bytes(seg_data *pseg, uint nbytes, const(void)* p) { mixin(genRetVal("write_bytes(pseg, nbytes, p)")); } void _byte(int seg, targ_size_t offset, uint _byte) { mixin(genRetVal("byte(seg, offset, _byte)")); } uint bytes(int seg, targ_size_t offset, uint nbytes, const(void)* p) { mixin(genRetVal("bytes(seg, offset, nbytes, p)")); } void ledata(int seg, targ_size_t offset, targ_size_t data, uint lcfd, uint idx1, uint idx2) { assert(config.objfmt == OBJ_OMF); OmfObj_ledata(seg, offset, data, lcfd, idx1, idx2); } void reftodatseg(int seg, targ_size_t offset, targ_size_t val, uint targetdatum, int flags) { mixin(genRetVal("reftodatseg(seg, offset, val, targetdatum, flags)")); } void reftofarseg(int seg, targ_size_t offset, targ_size_t val, int farseg, int flags) { assert(config.objfmt == OBJ_OMF); OmfObj_reftofarseg(seg, offset, val, farseg, flags); } void reftocodeseg(int seg, targ_size_t offset, targ_size_t val) { mixin(genRetVal("reftocodeseg(seg, offset, val)")); } int reftoident(int seg, targ_size_t offset, Symbol *s, targ_size_t val, int flags) { mixin(genRetVal("reftoident(seg, offset, s, val, flags)")); } void far16thunk(Symbol *s) { mixin(genRetVal("far16thunk(s)")); } void fltused() { mixin(genRetVal("fltused()")); } int data_readonly(char *p, int len, int *pseg) { mixin(genRetVal("data_readonly(p, len, pseg)")); } int data_readonly(char *p, int len) { mixin(genRetVal("data_readonly(p, len)")); } int string_literal_segment(uint sz) { mixin(genRetVal("string_literal_segment(sz)")); } Symbol *sym_cdata(tym_t ty, char *p, int len) { mixin(genRetVal("sym_cdata(ty, p, len)")); } void func_start(Symbol *sfunc) { mixin(genRetVal("func_start(sfunc)")); } void func_term(Symbol *sfunc) { mixin(genRetVal("func_term(sfunc)")); } void write_pointerRef(Symbol* s, uint off) { mixin(genRetVal("write_pointerRef(s, off)")); } int jmpTableSegment(Symbol* s) { mixin(genRetVal("jmpTableSegment(s)")); } Symbol *tlv_bootstrap() { mixin(genRetVal("tlv_bootstrap()")); } void gotref(Symbol *s) { switch (config.objfmt) { case OBJ_ELF: ElfObj_gotref(s); break; case OBJ_MACH: MachObj_gotref(s); break; default: assert(0); } } Symbol *getGOTsym() { switch (config.objfmt) { case OBJ_ELF: return ElfObj_getGOTsym(); case OBJ_MACH: return MachObj_getGOTsym(); default: assert(0); } } void refGOTsym() { switch (config.objfmt) { case OBJ_ELF: ElfObj_refGOTsym(); break; case OBJ_MACH: MachObj_refGOTsym(); break; default: assert(0); } } int seg_debugT() // where the symbolic debug type data goes { switch (config.objfmt) { case OBJ_MSCOFF: return MsCoffObj_seg_debugT(); case OBJ_OMF: return OmfObj_seg_debugT(); default: assert(0); } } void write_long(int seg, targ_size_t offset, uint data, uint lcfd, uint idx1, uint idx2) { assert(config.objfmt == OBJ_OMF); return OmfObj_write_long(seg, offset, data, lcfd, idx1, idx2); } uint addstr(OutBuffer *strtab, const(char)* p) { switch (config.objfmt) { case OBJ_ELF: return ElfObj_addstr(strtab, p); case OBJ_MACH: return MachObj_addstr(strtab, p); default: assert(0); } } int getsegment(const(char)* sectname, const(char)* segname, int align_, int flags) { assert(config.objfmt == OBJ_MACH); return MachObj_getsegment(sectname, segname, align_, flags); } int getsegment(const(char)* name, const(char)* suffix, int type, int flags, int align_) { assert(config.objfmt == OBJ_ELF); return ElfObj_getsegment(name, suffix, type, flags, align_); } int getsegment(const(char)* sectname, uint flags) { assert(config.objfmt == OBJ_MSCOFF); return MsCoffObj_getsegment(sectname, flags); } void addrel(int seg, targ_size_t offset, Symbol *targsym, uint targseg, int rtype, int val = 0) { switch (config.objfmt) { case OBJ_MSCOFF: return MsCoffObj_addrel(seg, offset, targsym, targseg, rtype, val); case OBJ_MACH: return MachObj_addrel(seg, offset, targsym, targseg, rtype, val); default: assert(0); } } void addrel(int seg, targ_size_t offset, uint type, uint symidx, targ_size_t val) { assert(config.objfmt == OBJ_ELF); return ElfObj_addrel(seg, offset, type, symidx, val); } size_t writerel(int targseg, size_t offset, uint type, uint symidx, targ_size_t val) { assert(config.objfmt == OBJ_ELF); return ElfObj_writerel(targseg, offset, type, symidx, val); } int getsegment2(uint shtidx) { assert(config.objfmt == OBJ_MSCOFF); return MsCoffObj_getsegment2(shtidx); } uint addScnhdr(const(char)* scnhdr_name, uint flags) { assert(config.objfmt == OBJ_MSCOFF); return MsCoffObj_addScnhdr(scnhdr_name, flags); } int seg_drectve() { assert(config.objfmt == OBJ_MSCOFF); return MsCoffObj_seg_drectve(); } int seg_pdata() { assert(config.objfmt == OBJ_MSCOFF); return MsCoffObj_seg_pdata(); } int seg_xdata() { assert(config.objfmt == OBJ_MSCOFF); return MsCoffObj_seg_xdata(); } int seg_pdata_comdat(Symbol *sfunc) { assert(config.objfmt == OBJ_MSCOFF); return MsCoffObj_seg_pdata_comdat(sfunc); } int seg_xdata_comdat(Symbol *sfunc) { assert(config.objfmt == OBJ_MSCOFF); return MsCoffObj_seg_xdata_comdat(sfunc); } int seg_debugS() { assert(config.objfmt == OBJ_MSCOFF); return MsCoffObj_seg_debugS(); } int seg_debugS_comdat(Symbol *sfunc) { assert(config.objfmt == OBJ_MSCOFF); return MsCoffObj_seg_debugS_comdat(sfunc); } } } } public import dmd.backend.var : objmod; /***************************************** * Use to generate 4 function declarations, one for * each object file format supported. * Params: * pattern = function declaration * Returns: * declarations as a string suitable for mixin */ private extern (D) string ObjMemDecl(string pattern) { string r = gen(pattern, "Omf") ~ ";\n" ~ gen(pattern, "MsCoff") ~ ";\n" ~ gen(pattern, "Elf") ~ ";\n" ~ gen(pattern, "Mach") ~ ";\n"; return r; } /**************************************** * Generate boilerplate for static dispatch that * returns a value. Don't care about type of the value. * Params: * arg = function name to be dispatched based on `objfmt` * Returns: * mixin string with static dispatch */ private extern (D) string genRetVal(string arg) { return " switch (config.objfmt) { case OBJ_ELF: return ElfObj_"~arg~"; case OBJ_MSCOFF: return MsCoffObj_"~arg~"; case OBJ_OMF: return OmfObj_"~arg~"; case OBJ_MACH: return MachObj_"~arg~"; default: assert(0); } "; } /**************************************** * Generate boilerplate that replaces the single '$' in `pattern` with `arg` * Params: * pattern = pattern to scan for '$' * arg = string to insert where '$' is found * Returns: * boilerplate string */ private extern (D) string gen(string pattern, string arg) { foreach (i; 0 .. pattern.length) if (pattern[i] == '$') return pattern[0 .. i] ~ arg ~ pattern[i + 1 .. $]; assert(0); }
D
module socks.client.vibe; version(SocksClientDriverVibed): pragma(msg, "Using vibed driver for socks-client"); public import socks.socks5; import core.time; import vibe.core.net; import vibe.core.log; TCPConnection connectTCPSocks(S)(S socksOptions, string host, ushort port, string bind_interface = null, ushort bind_port = 0, Duration timeout = Duration.max) if (isSocksOptions!S) { TCPConnection conn; SocksTCPConnector connector = (in string host, in ushort port) { conn = connectTCP(socksOptions.host, socksOptions.port, bind_interface, bind_port, timeout); return true; }; SocksDataReader reader = (ubyte[] data) { conn.read(data); }; SocksDataWriter writer = (in ubyte[] data) { conn.write(data); }; SocksHostnameResolver resolver = (in string hostname) { NetworkAddress address = resolveHost(hostname, AddressFamily.UNSPEC, true); return address.toAddressString(); }; auto socks5 = Socks5(reader, writer, connector, resolver); socks5.connect(socksOptions, host, port); logWarn("Connected"); return conn; }
D
/** * Compiler implementation of the * $(LINK2 http://www.dlang.org, D programming language). * * Copyright: Copyright (c) 1999-2017 by Digital Mars, All Rights Reserved * Authors: $(LINK2 http://www.digitalmars.com, Walter Bright) * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/ddmd/expression.d, _expression.d) */ module ddmd.expression; // Online documentation: https://dlang.org/phobos/ddmd_expression.html import core.stdc.stdarg; import core.stdc.stdio; import core.stdc.string; import ddmd.aggregate; import ddmd.aliasthis; import ddmd.apply; import ddmd.argtypes; import ddmd.arrayop; import ddmd.arraytypes; import ddmd.gluelayer; import ddmd.canthrow; import ddmd.complex; import ddmd.constfold; import ddmd.ctfeexpr; import ddmd.dcast; import ddmd.dclass; import ddmd.declaration; import ddmd.delegatize; import ddmd.dimport; import ddmd.dinterpret; import ddmd.dmodule; import ddmd.dscope; import ddmd.dstruct; import ddmd.dsymbol; import ddmd.dtemplate; import ddmd.errors; import ddmd.escape; import ddmd.expressionsem; import ddmd.func; import ddmd.globals; import ddmd.hdrgen; import ddmd.id; import ddmd.identifier; import ddmd.inline; import ddmd.mtype; import ddmd.nspace; import ddmd.opover; import ddmd.optimize; import ddmd.root.ctfloat; import ddmd.root.filename; import ddmd.root.outbuffer; import ddmd.root.rmem; import ddmd.root.rootobject; import ddmd.safe; import ddmd.semantic; import ddmd.sideeffect; import ddmd.target; import ddmd.tokens; import ddmd.typesem; import ddmd.utf; import ddmd.visitor; enum LOGSEMANTIC = false; void emplaceExp(T : Expression, Args...)(void* p, Args args) { scope tmp = new T(args); memcpy(p, cast(void*)tmp, __traits(classInstanceSize, T)); } void emplaceExp(T : UnionExp)(T* p, Expression e) { memcpy(p, cast(void*)e, e.size); } /************************************************************* * Given var, get the * right `this` pointer if var is in an outer class, but our * existing `this` pointer is in an inner class. * Params: * e1 = existing `this` * ad = struct or class we need the correct `this` for * var = the specific member of ad we're accessing * Returns: * Expression representing the `this` for the var */ extern (C++) Expression getRightThis(Loc loc, Scope* sc, AggregateDeclaration ad, Expression e1, Declaration var, int flag = 0) { //printf("\ngetRightThis(e1 = %s, ad = %s, var = %s)\n", e1.toChars(), ad.toChars(), var.toChars()); L1: Type t = e1.type.toBasetype(); //printf("e1.type = %s, var.type = %s\n", e1.type.toChars(), var.type.toChars()); /* If e1 is not the 'this' pointer for ad */ if (ad && !(t.ty == Tpointer && t.nextOf().ty == Tstruct && (cast(TypeStruct)t.nextOf()).sym == ad) && !(t.ty == Tstruct && (cast(TypeStruct)t).sym == ad)) { ClassDeclaration cd = ad.isClassDeclaration(); ClassDeclaration tcd = t.isClassHandle(); /* e1 is the right this if ad is a base class of e1 */ if (!cd || !tcd || !(tcd == cd || cd.isBaseOf(tcd, null))) { /* Only classes can be inner classes with an 'outer' * member pointing to the enclosing class instance */ if (tcd && tcd.isNested()) { /* e1 is the 'this' pointer for an inner class: tcd. * Rewrite it as the 'this' pointer for the outer class. */ e1 = new DotVarExp(loc, e1, tcd.vthis); e1.type = tcd.vthis.type; e1.type = e1.type.addMod(t.mod); // Do not call ensureStaticLinkTo() //e1 = e1.semantic(sc); // Skip up over nested functions, and get the enclosing // class type. int n = 0; Dsymbol s; for (s = tcd.toParent(); s && s.isFuncDeclaration(); s = s.toParent()) { FuncDeclaration f = s.isFuncDeclaration(); if (f.vthis) { //printf("rewriting e1 to %s's this\n", f.toChars()); n++; e1 = new VarExp(loc, f.vthis); } else { e1.error("need 'this' of type %s to access member %s from static function %s", ad.toChars(), var.toChars(), f.toChars()); e1 = new ErrorExp(); return e1; } } if (s && s.isClassDeclaration()) { e1.type = s.isClassDeclaration().type; e1.type = e1.type.addMod(t.mod); if (n > 1) e1 = e1.semantic(sc); } else e1 = e1.semantic(sc); goto L1; } /* Can't find a path from e1 to ad */ if (flag) return null; e1.error("this for %s needs to be type %s not type %s", var.toChars(), ad.toChars(), t.toChars()); return new ErrorExp(); } } return e1; } /**************************************** * Resolve a symbol `s` and wraps it in an expression object. * * Params: * loc = location of use of `s` * sc = context * s = symbol to resolve * hasOverloads = applies if `s` represents a function. * true means it's overloaded and will be resolved later, * false means it's the exact function symbol. * Returns: * `s` turned into an expression, `ErrorExp` if an error occurred */ Expression resolve(Loc loc, Scope *sc, Dsymbol s, bool hasOverloads) { static if (LOGSEMANTIC) { printf("DsymbolExp::resolve(%s %s)\n", s.kind(), s.toChars()); } Lagain: Expression e; //printf("DsymbolExp:: %p '%s' is a symbol\n", this, toChars()); //printf("s = '%s', s.kind = '%s'\n", s.toChars(), s.kind()); Dsymbol olds = s; Declaration d = s.isDeclaration(); if (d && (d.storage_class & STCtemplateparameter)) { s = s.toAlias(); } else { if (!s.isFuncDeclaration()) // functions are checked after overloading s.checkDeprecated(loc, sc); // https://issues.dlang.org/show_bug.cgi?id=12023 // if 's' is a tuple variable, the tuple is returned. s = s.toAlias(); //printf("s = '%s', s.kind = '%s', s.needThis() = %p\n", s.toChars(), s.kind(), s.needThis()); if (s != olds && !s.isFuncDeclaration()) s.checkDeprecated(loc, sc); } if (auto em = s.isEnumMember()) { return em.getVarExp(loc, sc); } if (auto v = s.isVarDeclaration()) { //printf("Identifier '%s' is a variable, type '%s'\n", s.toChars(), v.type.toChars()); if (!v.type || // during variable type inference !v.type.deco && v.inuse) // during variable type semantic { if (v.inuse) // variable type depends on the variable itself error(loc, "circular reference to %s '%s'", v.kind(), v.toPrettyChars()); else // variable type cannot be determined error(loc, "forward reference to %s '%s'", v.kind(), v.toPrettyChars()); return new ErrorExp(); } if (v.type.ty == Terror) return new ErrorExp(); if ((v.storage_class & STCmanifest) && v._init) { if (v.inuse) { error(loc, "circular initialization of %s '%s'", v.kind(), v.toPrettyChars()); return new ErrorExp(); } e = v.expandInitializer(loc); v.inuse++; e = e.semantic(sc); v.inuse--; return e; } // Change the ancestor lambdas to delegate before hasThis(sc) call. if (v.checkNestedReference(sc, loc)) return new ErrorExp(); if (v.needThis() && hasThis(sc)) e = new DotVarExp(loc, new ThisExp(loc), v); else e = new VarExp(loc, v); e = e.semantic(sc); return e; } if (auto fld = s.isFuncLiteralDeclaration()) { //printf("'%s' is a function literal\n", fld.toChars()); e = new FuncExp(loc, fld); return e.semantic(sc); } if (auto f = s.isFuncDeclaration()) { f = f.toAliasFunc(); if (!f.functionSemantic()) return new ErrorExp(); if (!hasOverloads && f.checkForwardRef(loc)) return new ErrorExp(); auto fd = s.isFuncDeclaration(); fd.type = f.type; return new VarExp(loc, fd, hasOverloads); } if (OverDeclaration od = s.isOverDeclaration()) { e = new VarExp(loc, od, true); e.type = Type.tvoid; return e; } if (OverloadSet o = s.isOverloadSet()) { //printf("'%s' is an overload set\n", o.toChars()); return new OverExp(loc, o); } if (Import imp = s.isImport()) { if (!imp.pkg) { .error(loc, "forward reference of import %s", imp.toChars()); return new ErrorExp(); } auto ie = new ScopeExp(loc, imp.pkg); return ie.semantic(sc); } if (Package pkg = s.isPackage()) { auto ie = new ScopeExp(loc, pkg); return ie.semantic(sc); } if (Module mod = s.isModule()) { auto ie = new ScopeExp(loc, mod); return ie.semantic(sc); } if (Nspace ns = s.isNspace()) { auto ie = new ScopeExp(loc, ns); return ie.semantic(sc); } if (Type t = s.getType()) { return (new TypeExp(loc, t)).semantic(sc); } if (TupleDeclaration tup = s.isTupleDeclaration()) { if (tup.needThis() && hasThis(sc)) e = new DotVarExp(loc, new ThisExp(loc), tup); else e = new TupleExp(loc, tup); e = e.semantic(sc); return e; } if (TemplateInstance ti = s.isTemplateInstance()) { ti.semantic(sc); if (!ti.inst || ti.errors) return new ErrorExp(); s = ti.toAlias(); if (!s.isTemplateInstance()) goto Lagain; e = new ScopeExp(loc, ti); e = e.semantic(sc); return e; } if (TemplateDeclaration td = s.isTemplateDeclaration()) { Dsymbol p = td.toParent2(); FuncDeclaration fdthis = hasThis(sc); AggregateDeclaration ad = p ? p.isAggregateDeclaration() : null; if (fdthis && ad && isAggregate(fdthis.vthis.type) == ad && (td._scope.stc & STCstatic) == 0) { e = new DotTemplateExp(loc, new ThisExp(loc), td); } else e = new TemplateExp(loc, td); e = e.semantic(sc); return e; } .error(loc, "%s '%s' is not a variable", s.kind(), s.toChars()); return new ErrorExp(); } /***************************************** * Determine if `this` is available by walking up the enclosing * scopes until a function is found. * * Params: * sc = where to start looking for the enclosing function * Returns: * Found function if it satisfies `isThis()`, otherwise `null` */ extern (C++) FuncDeclaration hasThis(Scope* sc) { //printf("hasThis()\n"); Dsymbol p = sc.parent; while (p && p.isTemplateMixin()) p = p.parent; FuncDeclaration fdthis = p ? p.isFuncDeclaration() : null; //printf("fdthis = %p, '%s'\n", fdthis, fdthis ? fdthis.toChars() : ""); // Go upwards until we find the enclosing member function FuncDeclaration fd = fdthis; while (1) { if (!fd) { goto Lno; } if (!fd.isNested()) break; Dsymbol parent = fd.parent; while (1) { if (!parent) goto Lno; TemplateInstance ti = parent.isTemplateInstance(); if (ti) parent = ti.parent; else break; } fd = parent.isFuncDeclaration(); } if (!fd.isThis()) { goto Lno; } assert(fd.vthis); return fd; Lno: return null; // don't have 'this' available } /*********************************** * Determine if a `this` is needed to access `d`. * Params: * sc = context * d = declaration to check * Returns: * true means a `this` is needed */ extern (C++) bool isNeedThisScope(Scope* sc, Declaration d) { if (sc.intypeof == 1) return false; AggregateDeclaration ad = d.isThis(); if (!ad) return false; //printf("d = %s, ad = %s\n", d.toChars(), ad.toChars()); for (Dsymbol s = sc.parent; s; s = s.toParent2()) { //printf("\ts = %s %s, toParent2() = %p\n", s.kind(), s.toChars(), s.toParent2()); if (AggregateDeclaration ad2 = s.isAggregateDeclaration()) { if (ad2 == ad) return false; else if (ad2.isNested()) continue; else return true; } if (FuncDeclaration f = s.isFuncDeclaration()) { if (f.isMember2()) break; } } return true; } /*************************************** * Pull out any properties. */ extern (C++) Expression resolvePropertiesX(Scope* sc, Expression e1, Expression e2 = null) { //printf("resolvePropertiesX, e1 = %s %s, e2 = %s\n", Token.toChars(e1.op), e1.toChars(), e2 ? e2.toChars() : null); Loc loc = e1.loc; OverloadSet os; Dsymbol s; Objects* tiargs; Type tthis; if (e1.op == TOKdot) { DotExp de = cast(DotExp)e1; if (de.e2.op == TOKoverloadset) { tiargs = null; tthis = de.e1.type; os = (cast(OverExp)de.e2).vars; goto Los; } } else if (e1.op == TOKoverloadset) { tiargs = null; tthis = null; os = (cast(OverExp)e1).vars; Los: assert(os); FuncDeclaration fd = null; if (e2) { e2 = e2.semantic(sc); if (e2.op == TOKerror) return new ErrorExp(); e2 = resolveProperties(sc, e2); Expressions a; a.push(e2); for (size_t i = 0; i < os.a.dim; i++) { FuncDeclaration f = resolveFuncCall(loc, sc, os.a[i], tiargs, tthis, &a, 1); if (f) { if (f.errors) return new ErrorExp(); fd = f; assert(fd.type.ty == Tfunction); TypeFunction tf = cast(TypeFunction)fd.type; } } if (fd) { Expression e = new CallExp(loc, e1, e2); return e.semantic(sc); } } { for (size_t i = 0; i < os.a.dim; i++) { FuncDeclaration f = resolveFuncCall(loc, sc, os.a[i], tiargs, tthis, null, 1); if (f) { if (f.errors) return new ErrorExp(); fd = f; assert(fd.type.ty == Tfunction); TypeFunction tf = cast(TypeFunction)fd.type; if (!tf.isref && e2) goto Leproplvalue; } } if (fd) { Expression e = new CallExp(loc, e1); if (e2) e = new AssignExp(loc, e, e2); return e.semantic(sc); } } if (e2) goto Leprop; } else if (e1.op == TOKdotti) { DotTemplateInstanceExp dti = cast(DotTemplateInstanceExp)e1; if (!dti.findTempDecl(sc)) goto Leprop; if (!dti.ti.semanticTiargs(sc)) goto Leprop; tiargs = dti.ti.tiargs; tthis = dti.e1.type; if ((os = dti.ti.tempdecl.isOverloadSet()) !is null) goto Los; if ((s = dti.ti.tempdecl) !is null) goto Lfd; } else if (e1.op == TOKdottd) { DotTemplateExp dte = cast(DotTemplateExp)e1; s = dte.td; tiargs = null; tthis = dte.e1.type; goto Lfd; } else if (e1.op == TOKscope) { s = (cast(ScopeExp)e1).sds; TemplateInstance ti = s.isTemplateInstance(); if (ti && !ti.semanticRun && ti.tempdecl) { //assert(ti.needsTypeInference(sc)); if (!ti.semanticTiargs(sc)) goto Leprop; tiargs = ti.tiargs; tthis = null; if ((os = ti.tempdecl.isOverloadSet()) !is null) goto Los; if ((s = ti.tempdecl) !is null) goto Lfd; } } else if (e1.op == TOKtemplate) { s = (cast(TemplateExp)e1).td; tiargs = null; tthis = null; goto Lfd; } else if (e1.op == TOKdotvar && e1.type && e1.type.toBasetype().ty == Tfunction) { DotVarExp dve = cast(DotVarExp)e1; s = dve.var.isFuncDeclaration(); tiargs = null; tthis = dve.e1.type; goto Lfd; } else if (e1.op == TOKvar && e1.type && e1.type.toBasetype().ty == Tfunction) { s = (cast(VarExp)e1).var.isFuncDeclaration(); tiargs = null; tthis = null; Lfd: assert(s); if (e2) { e2 = e2.semantic(sc); if (e2.op == TOKerror) return new ErrorExp(); e2 = resolveProperties(sc, e2); Expressions a; a.push(e2); FuncDeclaration fd = resolveFuncCall(loc, sc, s, tiargs, tthis, &a, 1); if (fd && fd.type) { if (fd.errors) return new ErrorExp(); assert(fd.type.ty == Tfunction); TypeFunction tf = cast(TypeFunction)fd.type; Expression e = new CallExp(loc, e1, e2); return e.semantic(sc); } } { FuncDeclaration fd = resolveFuncCall(loc, sc, s, tiargs, tthis, null, 1); if (fd && fd.type) { if (fd.errors) return new ErrorExp(); assert(fd.type.ty == Tfunction); TypeFunction tf = cast(TypeFunction)fd.type; if (!e2 || tf.isref) { Expression e = new CallExp(loc, e1); if (e2) e = new AssignExp(loc, e, e2); return e.semantic(sc); } } } if (FuncDeclaration fd = s.isFuncDeclaration()) { // Keep better diagnostic message for invalid property usage of functions assert(fd.type.ty == Tfunction); TypeFunction tf = cast(TypeFunction)fd.type; Expression e = new CallExp(loc, e1, e2); return e.semantic(sc); } if (e2) goto Leprop; } if (e1.op == TOKvar) { VarExp ve = cast(VarExp)e1; VarDeclaration v = ve.var.isVarDeclaration(); if (v && ve.checkPurity(sc, v)) return new ErrorExp(); } if (e2) return null; if (e1.type && e1.op != TOKtype) // function type is not a property { /* Look for e1 being a lazy parameter; rewrite as delegate call */ if (e1.op == TOKvar) { VarExp ve = cast(VarExp)e1; if (ve.var.storage_class & STClazy) { Expression e = new CallExp(loc, e1); return e.semantic(sc); } } else if (e1.op == TOKdotvar) { // Check for reading overlapped pointer field in @safe code. if (checkUnsafeAccess(sc, e1, true, true)) return new ErrorExp(); } else if (e1.op == TOKdot) { e1.error("expression has no value"); return new ErrorExp(); } else if (e1.op == TOKcall) { CallExp ce = cast(CallExp)e1; // Check for reading overlapped pointer field in @safe code. if (checkUnsafeAccess(sc, ce.e1, true, true)) return new ErrorExp(); } } if (!e1.type) { error(loc, "cannot resolve type for %s", e1.toChars()); e1 = new ErrorExp(); } return e1; Leprop: error(loc, "not a property %s", e1.toChars()); return new ErrorExp(); Leproplvalue: error(loc, "%s is not an lvalue", e1.toChars()); return new ErrorExp(); } extern (C++) Expression resolveProperties(Scope* sc, Expression e) { //printf("resolveProperties(%s)\n", e.toChars()); e = resolvePropertiesX(sc, e); if (e.checkRightThis(sc)) return new ErrorExp(); return e; } /****************************** * Check the tail CallExp is really property function call. * Bugs: * This doesn't appear to do anything. */ extern (C++) bool checkPropertyCall(Expression e, Expression emsg) { while (e.op == TOKcomma) e = (cast(CommaExp)e).e2; if (e.op == TOKcall) { CallExp ce = cast(CallExp)e; TypeFunction tf; if (ce.f) { tf = cast(TypeFunction)ce.f.type; /* If a forward reference to ce.f, try to resolve it */ if (!tf.deco && ce.f.semanticRun < PASSsemanticdone) { ce.f.semantic(null); tf = cast(TypeFunction)ce.f.type; } } else if (ce.e1.type.ty == Tfunction) tf = cast(TypeFunction)ce.e1.type; else if (ce.e1.type.ty == Tdelegate) tf = cast(TypeFunction)ce.e1.type.nextOf(); else if (ce.e1.type.ty == Tpointer && ce.e1.type.nextOf().ty == Tfunction) tf = cast(TypeFunction)ce.e1.type.nextOf(); else assert(0); } return false; } /****************************** * If e1 is a property function (template), resolve it. */ extern (C++) Expression resolvePropertiesOnly(Scope* sc, Expression e1) { //printf("e1 = %s %s\n", Token::toChars(e1.op), e1.toChars()); OverloadSet os; FuncDeclaration fd; TemplateDeclaration td; if (e1.op == TOKdot) { DotExp de = cast(DotExp)e1; if (de.e2.op == TOKoverloadset) { os = (cast(OverExp)de.e2).vars; goto Los; } } else if (e1.op == TOKoverloadset) { os = (cast(OverExp)e1).vars; Los: assert(os); for (size_t i = 0; i < os.a.dim; i++) { Dsymbol s = os.a[i]; fd = s.isFuncDeclaration(); td = s.isTemplateDeclaration(); if (fd) { if ((cast(TypeFunction)fd.type).isproperty) return resolveProperties(sc, e1); } else if (td && td.onemember && (fd = td.onemember.isFuncDeclaration()) !is null) { if ((cast(TypeFunction)fd.type).isproperty || (fd.storage_class2 & STCproperty) || (td._scope.stc & STCproperty)) { return resolveProperties(sc, e1); } } } } else if (e1.op == TOKdotti) { DotTemplateInstanceExp dti = cast(DotTemplateInstanceExp)e1; if (dti.ti.tempdecl && (td = dti.ti.tempdecl.isTemplateDeclaration()) !is null) goto Ltd; } else if (e1.op == TOKdottd) { td = (cast(DotTemplateExp)e1).td; goto Ltd; } else if (e1.op == TOKscope) { Dsymbol s = (cast(ScopeExp)e1).sds; TemplateInstance ti = s.isTemplateInstance(); if (ti && !ti.semanticRun && ti.tempdecl) { if ((td = ti.tempdecl.isTemplateDeclaration()) !is null) goto Ltd; } } else if (e1.op == TOKtemplate) { td = (cast(TemplateExp)e1).td; Ltd: assert(td); if (td.onemember && (fd = td.onemember.isFuncDeclaration()) !is null) { if ((cast(TypeFunction)fd.type).isproperty || (fd.storage_class2 & STCproperty) || (td._scope.stc & STCproperty)) { return resolveProperties(sc, e1); } } } else if (e1.op == TOKdotvar && e1.type.ty == Tfunction) { DotVarExp dve = cast(DotVarExp)e1; fd = dve.var.isFuncDeclaration(); goto Lfd; } else if (e1.op == TOKvar && e1.type.ty == Tfunction && (sc.intypeof || !(cast(VarExp)e1).var.needThis())) { fd = (cast(VarExp)e1).var.isFuncDeclaration(); Lfd: assert(fd); if ((cast(TypeFunction)fd.type).isproperty) return resolveProperties(sc, e1); } return e1; } /****************************** * Find symbol in accordance with the UFCS name look up rule */ extern (C++) Expression searchUFCS(Scope* sc, UnaExp ue, Identifier ident) { //printf("searchUFCS(ident = %s)\n", ident.toChars()); Loc loc = ue.loc; // TODO: merge with Scope.search.searchScopes() Dsymbol searchScopes(int flags) { Dsymbol s = null; for (Scope* scx = sc; scx; scx = scx.enclosing) { if (!scx.scopesym) continue; if (scx.scopesym.isModule()) flags |= SearchUnqualifiedModule; // tell Module.search() that SearchLocalsOnly is to be obeyed s = scx.scopesym.search(loc, ident, flags); if (s) { // overload set contains only module scope symbols. if (s.isOverloadSet()) break; // selective/renamed imports also be picked up if (AliasDeclaration ad = s.isAliasDeclaration()) { if (ad._import) break; } // See only module scope symbols for UFCS target. Dsymbol p = s.toParent2(); if (p && p.isModule()) break; } s = null; // Stop when we hit a module, but keep going if that is not just under the global scope if (scx.scopesym.isModule() && !(scx.enclosing && !scx.enclosing.enclosing)) break; } return s; } int flags = 0; Dsymbol s; if (sc.flags & SCOPEignoresymbolvisibility) flags |= IgnoreSymbolVisibility; Dsymbol sold = void; if (global.params.bug10378 || global.params.check10378) { sold = searchScopes(flags | IgnoreSymbolVisibility); if (!global.params.check10378) { s = sold; goto Lsearchdone; } } // First look in local scopes s = searchScopes(flags | SearchLocalsOnly); if (!s) { // Second look in imported modules s = searchScopes(flags | SearchImportsOnly); /** Still find private symbols, so that symbols that weren't access * checked by the compiler remain usable. Once the deprecation is over, * this should be moved to search_correct instead. */ if (!s && !(flags & IgnoreSymbolVisibility)) { s = searchScopes(flags | SearchLocalsOnly | IgnoreSymbolVisibility); if (!s) s = searchScopes(flags | SearchImportsOnly | IgnoreSymbolVisibility); if (s) .deprecation(loc, "%s is not visible from module %s", s.toPrettyChars(), sc._module.toChars()); } } if (global.params.check10378) { alias snew = s; if (sold !is snew) Scope.deprecation10378(loc, sold, snew); if (global.params.bug10378) s = sold; } Lsearchdone: if (!s) return ue.e1.type.Type.getProperty(loc, ident, 0); FuncDeclaration f = s.isFuncDeclaration(); if (f) { TemplateDeclaration td = getFuncTemplateDecl(f); if (td) { if (td.overroot) td = td.overroot; s = td; } } if (ue.op == TOKdotti) { DotTemplateInstanceExp dti = cast(DotTemplateInstanceExp)ue; auto ti = new TemplateInstance(loc, s.ident, dti.ti.tiargs); if (!ti.updateTempDecl(sc, s)) return new ErrorExp(); return new ScopeExp(loc, ti); } else { //printf("-searchUFCS() %s\n", s.toChars()); return new DsymbolExp(loc, s); } } /****************************** * check e is exp.opDispatch!(tiargs) or not * It's used to switch to UFCS the semantic analysis path */ extern (C++) bool isDotOpDispatch(Expression e) { return e.op == TOKdotti && (cast(DotTemplateInstanceExp)e).ti.name == Id.opDispatch; } /****************************** * Pull out callable entity with UFCS. */ extern (C++) Expression resolveUFCS(Scope* sc, CallExp ce) { Loc loc = ce.loc; Expression eleft; Expression e; if (ce.e1.op == TOKdotid) { DotIdExp die = cast(DotIdExp)ce.e1; Identifier ident = die.ident; Expression ex = die.semanticX(sc); if (ex != die) { ce.e1 = ex; return null; } eleft = die.e1; Type t = eleft.type.toBasetype(); if (t.ty == Tarray || t.ty == Tsarray || t.ty == Tnull || (t.isTypeBasic() && t.ty != Tvoid)) { /* Built-in types and arrays have no callable properties, so do shortcut. * It is necessary in: e.init() */ } else if (t.ty == Taarray) { if (ident == Id.remove) { /* Transform: * aa.remove(arg) into delete aa[arg] */ if (!ce.arguments || ce.arguments.dim != 1) { ce.error("expected key as argument to aa.remove()"); return new ErrorExp(); } if (!eleft.type.isMutable()) { ce.error("cannot remove key from %s associative array %s", MODtoChars(t.mod), eleft.toChars()); return new ErrorExp(); } Expression key = (*ce.arguments)[0]; key = key.semantic(sc); key = resolveProperties(sc, key); TypeAArray taa = cast(TypeAArray)t; key = key.implicitCastTo(sc, taa.index); if (key.checkValue()) return new ErrorExp(); semanticTypeInfo(sc, taa.index); return new RemoveExp(loc, eleft, key); } } else { if (Expression ey = die.semanticY(sc, 1)) { if (ey.op == TOKerror) return ey; ce.e1 = ey; if (isDotOpDispatch(ey)) { uint errors = global.startGagging(); e = ce.syntaxCopy().semantic(sc); if (!global.endGagging(errors)) return e; /* fall down to UFCS */ } else return null; } } e = searchUFCS(sc, die, ident); } else if (ce.e1.op == TOKdotti) { DotTemplateInstanceExp dti = cast(DotTemplateInstanceExp)ce.e1; if (Expression ey = dti.semanticY(sc, 1)) { ce.e1 = ey; return null; } eleft = dti.e1; e = searchUFCS(sc, dti, dti.ti.name); } else return null; // Rewrite ce.e1 = e; if (!ce.arguments) ce.arguments = new Expressions(); ce.arguments.shift(eleft); return null; } /****************************** * Pull out property with UFCS. */ extern (C++) Expression resolveUFCSProperties(Scope* sc, Expression e1, Expression e2 = null) { Loc loc = e1.loc; Expression eleft; Expression e; if (e1.op == TOKdotid) { DotIdExp die = cast(DotIdExp)e1; eleft = die.e1; e = searchUFCS(sc, die, die.ident); } else if (e1.op == TOKdotti) { DotTemplateInstanceExp dti; dti = cast(DotTemplateInstanceExp)e1; eleft = dti.e1; e = searchUFCS(sc, dti, dti.ti.name); } else return null; if (e is null) return null; // Rewrite if (e2) { // run semantic without gagging e2 = e2.semantic(sc); /* f(e1) = e2 */ Expression ex = e.copy(); auto a1 = new Expressions(); a1.setDim(1); (*a1)[0] = eleft; ex = new CallExp(loc, ex, a1); ex = ex.trySemantic(sc); /* f(e1, e2) */ auto a2 = new Expressions(); a2.setDim(2); (*a2)[0] = eleft; (*a2)[1] = e2; e = new CallExp(loc, e, a2); if (ex) { // if fallback setter exists, gag errors e = e.trySemantic(sc); if (!e) { checkPropertyCall(ex, e1); ex = new AssignExp(loc, ex, e2); return ex.semantic(sc); } } else { // strict setter prints errors if fails e = e.semantic(sc); } checkPropertyCall(e, e1); return e; } else { /* f(e1) */ auto arguments = new Expressions(); arguments.setDim(1); (*arguments)[0] = eleft; e = new CallExp(loc, e, arguments); e = e.semantic(sc); checkPropertyCall(e, e1); return e.semantic(sc); } } /****************************** * Perform semantic() on an array of Expressions. */ extern (C++) bool arrayExpressionSemantic(Expressions* exps, Scope* sc, bool preserveErrors = false) { bool err = false; if (exps) { for (size_t i = 0; i < exps.dim; i++) { Expression e = (*exps)[i]; if (e) { e = e.semantic(sc); if (e.op == TOKerror) err = true; if (preserveErrors || e.op != TOKerror) (*exps)[i] = e; } } } return err; } /**************************************** * Expand tuples. * Input: * exps aray of Expressions * Output: * exps rewritten in place */ extern (C++) void expandTuples(Expressions* exps) { //printf("expandTuples()\n"); if (exps) { for (size_t i = 0; i < exps.dim; i++) { Expression arg = (*exps)[i]; if (!arg) continue; // Look for tuple with 0 members if (arg.op == TOKtype) { TypeExp e = cast(TypeExp)arg; if (e.type.toBasetype().ty == Ttuple) { TypeTuple tt = cast(TypeTuple)e.type.toBasetype(); if (!tt.arguments || tt.arguments.dim == 0) { exps.remove(i); if (i == exps.dim) return; i--; continue; } } } // Inline expand all the tuples while (arg.op == TOKtuple) { TupleExp te = cast(TupleExp)arg; exps.remove(i); // remove arg exps.insert(i, te.exps); // replace with tuple contents if (i == exps.dim) return; // empty tuple, no more arguments (*exps)[i] = Expression.combine(te.e0, (*exps)[i]); arg = (*exps)[i]; } } } } /**************************************** * Expand alias this tuples. */ extern (C++) TupleDeclaration isAliasThisTuple(Expression e) { if (!e.type) return null; Type t = e.type.toBasetype(); Lagain: if (Dsymbol s = t.toDsymbol(null)) { AggregateDeclaration ad = s.isAggregateDeclaration(); if (ad) { s = ad.aliasthis; if (s && s.isVarDeclaration()) { TupleDeclaration td = s.isVarDeclaration().toAlias().isTupleDeclaration(); if (td && td.isexp) return td; } if (Type att = t.aliasthisOf()) { t = att; goto Lagain; } } } return null; } extern (C++) int expandAliasThisTuples(Expressions* exps, size_t starti = 0) { if (!exps || exps.dim == 0) return -1; for (size_t u = starti; u < exps.dim; u++) { Expression exp = (*exps)[u]; TupleDeclaration td = isAliasThisTuple(exp); if (td) { exps.remove(u); for (size_t i = 0; i < td.objects.dim; ++i) { Expression e = isExpression((*td.objects)[i]); assert(e); assert(e.op == TOKdsymbol); DsymbolExp se = cast(DsymbolExp)e; Declaration d = se.s.isDeclaration(); assert(d); e = new DotVarExp(exp.loc, exp, d); assert(d.type); e.type = d.type; exps.insert(u + i, e); } version (none) { printf("expansion ->\n"); for (size_t i = 0; i < exps.dim; ++i) { Expression e = (*exps)[i]; printf("\texps[%d] e = %s %s\n", i, Token.tochars[e.op], e.toChars()); } } return cast(int)u; } } return -1; } /**************************************** * The common type is determined by applying ?: to each pair. * Output: * exps[] properties resolved, implicitly cast to common type, rewritten in place * *pt if pt is not NULL, set to the common type * Returns: * true a semantic error was detected */ extern (C++) bool arrayExpressionToCommonType(Scope* sc, Expressions* exps, Type* pt) { /* Still have a problem with: * ubyte[][] = [ cast(ubyte[])"hello", [1]]; * which works if the array literal is initialized top down with the ubyte[][] * type, but fails with this function doing bottom up typing. */ //printf("arrayExpressionToCommonType()\n"); scope IntegerExp integerexp = new IntegerExp(0); scope CondExp condexp = new CondExp(Loc(), integerexp, null, null); Type t0 = null; Expression e0 = null; size_t j0 = ~0; for (size_t i = 0; i < exps.dim; i++) { Expression e = (*exps)[i]; if (!e) continue; e = resolveProperties(sc, e); if (!e.type) { e.error("%s has no value", e.toChars()); t0 = Type.terror; continue; } if (e.op == TOKtype) { e.checkValue(); // report an error "type T has no value" t0 = Type.terror; continue; } if (e.type.ty == Tvoid) { // void expressions do not concur to the determination of the common // type. continue; } if (checkNonAssignmentArrayOp(e)) { t0 = Type.terror; continue; } e = doCopyOrMove(sc, e); if (t0 && !t0.equals(e.type)) { /* This applies ?: to merge the types. It's backwards; * ?: should call this function to merge types. */ condexp.type = null; condexp.e1 = e0; condexp.e2 = e; condexp.loc = e.loc; Expression ex = condexp.semantic(sc); if (ex.op == TOKerror) e = ex; else { (*exps)[j0] = condexp.e1; e = condexp.e2; } } j0 = i; e0 = e; t0 = e.type; if (e.op != TOKerror) (*exps)[i] = e; } if (!t0) t0 = Type.tvoid; // [] is typed as void[] else if (t0.ty != Terror) { for (size_t i = 0; i < exps.dim; i++) { Expression e = (*exps)[i]; if (!e) continue; e = e.implicitCastTo(sc, t0); //assert(e.op != TOKerror); if (e.op == TOKerror) { /* https://issues.dlang.org/show_bug.cgi?id=13024 * a workaround for the bug in typeMerge - * it should paint e1 and e2 by deduced common type, * but doesn't in this particular case. */ t0 = Type.terror; break; } (*exps)[i] = e; } } if (pt) *pt = t0; return (t0 == Type.terror); } /**************************************** * Get TemplateDeclaration enclosing FuncDeclaration. */ extern (C++) TemplateDeclaration getFuncTemplateDecl(Dsymbol s) { FuncDeclaration f = s.isFuncDeclaration(); if (f && f.parent) { TemplateInstance ti = f.parent.isTemplateInstance(); if (ti && !ti.isTemplateMixin() && ti.tempdecl && (cast(TemplateDeclaration)ti.tempdecl).onemember && ti.tempdecl.ident == f.ident) { return cast(TemplateDeclaration)ti.tempdecl; } } return null; } /**************************************** * Preprocess arguments to function. * Output: * exps[] tuples expanded, properties resolved, rewritten in place * Returns: * true a semantic error occurred */ extern (C++) bool preFunctionParameters(Loc loc, Scope* sc, Expressions* exps) { bool err = false; if (exps) { expandTuples(exps); for (size_t i = 0; i < exps.dim; i++) { Expression arg = (*exps)[i]; arg = resolveProperties(sc, arg); if (arg.op == TOKtype) { arg.error("cannot pass type %s as a function argument", arg.toChars()); arg = new ErrorExp(); err = true; } else if (checkNonAssignmentArrayOp(arg)) { arg = new ErrorExp(); err = true; } (*exps)[i] = arg; } } return err; } /************************************************ * If we want the value of this expression, but do not want to call * the destructor on it. */ extern (C++) Expression valueNoDtor(Expression e) { if (e.op == TOKcall) { /* The struct value returned from the function is transferred * so do not call the destructor on it. * Recognize: * ((S _ctmp = S.init), _ctmp).this(...) * and make sure the destructor is not called on _ctmp * BUG: if e is a CommaExp, we should go down the right side. */ CallExp ce = cast(CallExp)e; if (ce.e1.op == TOKdotvar) { DotVarExp dve = cast(DotVarExp)ce.e1; if (dve.var.isCtorDeclaration()) { // It's a constructor call if (dve.e1.op == TOKcomma) { CommaExp comma = cast(CommaExp)dve.e1; if (comma.e2.op == TOKvar) { VarExp ve = cast(VarExp)comma.e2; VarDeclaration ctmp = ve.var.isVarDeclaration(); if (ctmp) { ctmp.storage_class |= STCnodtor; assert(!ce.isLvalue()); } } } } } } else if (e.op == TOKvar) { auto vtmp = (cast(VarExp)e).var.isVarDeclaration(); if (vtmp && (vtmp.storage_class & STCrvalue)) { vtmp.storage_class |= STCnodtor; } } return e; } /******************************************** * Issue an error if default construction is disabled for type t. * Default construction is required for arrays and 'out' parameters. * Returns: * true an error was issued */ extern (C++) bool checkDefCtor(Loc loc, Type t) { t = t.baseElemOf(); if (t.ty == Tstruct) { StructDeclaration sd = (cast(TypeStruct)t).sym; if (sd.noDefaultCtor) { sd.error(loc, "default construction is disabled"); return true; } } return false; } /********************************************* * If e is an instance of a struct, and that struct has a copy constructor, * rewrite e as: * (tmp = e),tmp * Input: * sc just used to specify the scope of created temporary variable */ extern (C++) Expression callCpCtor(Scope* sc, Expression e) { Type tv = e.type.baseElemOf(); if (tv.ty == Tstruct) { StructDeclaration sd = (cast(TypeStruct)tv).sym; if (sd.postblit) { /* Create a variable tmp, and replace the argument e with: * (tmp = e),tmp * and let AssignExp() handle the construction. * This is not the most efficient, ideally tmp would be constructed * directly onto the stack. */ auto tmp = copyToTemp(STCrvalue, "__copytmp", e); tmp.storage_class |= STCnodtor; tmp.semantic(sc); Expression de = new DeclarationExp(e.loc, tmp); Expression ve = new VarExp(e.loc, tmp); de.type = Type.tvoid; ve.type = e.type; e = Expression.combine(de, ve); } } return e; } /************************************************ * Handle the postblit call on lvalue, or the move of rvalue. */ extern (C++) Expression doCopyOrMove(Scope *sc, Expression e) { if (e.op == TOKquestion) { auto ce = cast(CondExp)e; ce.e1 = doCopyOrMove(sc, ce.e1); ce.e2 = doCopyOrMove(sc, ce.e2); } else { e = e.isLvalue() ? callCpCtor(sc, e) : valueNoDtor(e); } return e; } /**************************************** * Now that we know the exact type of the function we're calling, * the arguments[] need to be adjusted: * 1. implicitly convert argument to the corresponding parameter type * 2. add default arguments for any missing arguments * 3. do default promotions on arguments corresponding to ... * 4. add hidden _arguments[] argument * 5. call copy constructor for struct value arguments * Input: * tf type of the function * fd the function being called, NULL if called indirectly * Output: * *prettype return type of function * *peprefix expression to execute before arguments[] are evaluated, NULL if none * Returns: * true errors happened */ extern (C++) bool functionParameters(Loc loc, Scope* sc, TypeFunction tf, Type tthis, Expressions* arguments, FuncDeclaration fd, Type* prettype, Expression* peprefix) { //printf("functionParameters() %s\n", fd ? fd.toChars() : ""); assert(arguments); assert(fd || tf.next); size_t nargs = arguments ? arguments.dim : 0; size_t nparams = Parameter.dim(tf.parameters); uint olderrors = global.errors; bool err = false; *prettype = Type.terror; Expression eprefix = null; *peprefix = null; if (nargs > nparams && tf.varargs == 0) { error(loc, "expected %llu arguments, not %llu for non-variadic function type %s", cast(ulong)nparams, cast(ulong)nargs, tf.toChars()); return true; } // If inferring return type, and semantic3() needs to be run if not already run if (!tf.next && fd.inferRetType) { fd.functionSemantic(); } else if (fd && fd.parent) { TemplateInstance ti = fd.parent.isTemplateInstance(); if (ti && ti.tempdecl) { fd.functionSemantic3(); } } bool isCtorCall = fd && fd.needThis() && fd.isCtorDeclaration(); size_t n = (nargs > nparams) ? nargs : nparams; // n = max(nargs, nparams) /* If the function return type has wildcards in it, we'll need to figure out the actual type * based on the actual argument types. */ MOD wildmatch = 0; if (tthis && tf.isWild() && !isCtorCall) { Type t = tthis; if (t.isImmutable()) wildmatch = MODimmutable; else if (t.isWildConst()) wildmatch = MODwildconst; else if (t.isWild()) wildmatch = MODwild; else if (t.isConst()) wildmatch = MODconst; else wildmatch = MODmutable; } int done = 0; for (size_t i = 0; i < n; i++) { Expression arg; if (i < nargs) arg = (*arguments)[i]; else arg = null; if (i < nparams) { Parameter p = Parameter.getNth(tf.parameters, i); if (!arg) { if (!p.defaultArg) { if (tf.varargs == 2 && i + 1 == nparams) goto L2; error(loc, "expected %llu function arguments, not %llu", cast(ulong)nparams, cast(ulong)nargs); return true; } arg = p.defaultArg; arg = inlineCopy(arg, sc); // __FILE__, __LINE__, __MODULE__, __FUNCTION__, and __PRETTY_FUNCTION__ arg = arg.resolveLoc(loc, sc); arguments.push(arg); nargs++; } if (tf.varargs == 2 && i + 1 == nparams) { //printf("\t\tvarargs == 2, p.type = '%s'\n", p.type.toChars()); { MATCH m; if ((m = arg.implicitConvTo(p.type)) > MATCHnomatch) { if (p.type.nextOf() && arg.implicitConvTo(p.type.nextOf()) >= m) goto L2; else if (nargs != nparams) { error(loc, "expected %llu function arguments, not %llu", cast(ulong)nparams, cast(ulong)nargs); return true; } goto L1; } } L2: Type tb = p.type.toBasetype(); Type tret = p.isLazyArray(); switch (tb.ty) { case Tsarray: case Tarray: { /* Create a static array variable v of type arg.type: * T[dim] __arrayArg = [ arguments[i], ..., arguments[nargs-1] ]; * * The array literal in the initializer of the hidden variable * is now optimized. * https://issues.dlang.org/show_bug.cgi?id=2356 */ Type tbn = (cast(TypeArray)tb).next; Type tsa = tbn.sarrayOf(nargs - i); auto elements = new Expressions(); elements.setDim(nargs - i); for (size_t u = 0; u < elements.dim; u++) { Expression a = (*arguments)[i + u]; if (tret && a.implicitConvTo(tret)) { a = a.implicitCastTo(sc, tret); a = a.optimize(WANTvalue); a = toDelegate(a, a.type, sc); } else a = a.implicitCastTo(sc, tbn); (*elements)[u] = a; } // https://issues.dlang.org/show_bug.cgi?id=14395 // Convert to a static array literal, or its slice. arg = new ArrayLiteralExp(loc, elements); arg.type = tsa; if (tb.ty == Tarray) { arg = new SliceExp(loc, arg, null, null); arg.type = p.type; } break; } case Tclass: { /* Set arg to be: * new Tclass(arg0, arg1, ..., argn) */ auto args = new Expressions(); args.setDim(nargs - i); for (size_t u = i; u < nargs; u++) (*args)[u - i] = (*arguments)[u]; arg = new NewExp(loc, null, null, p.type, args); break; } default: if (!arg) { error(loc, "not enough arguments"); return true; } break; } arg = arg.semantic(sc); //printf("\targ = '%s'\n", arg.toChars()); arguments.setDim(i + 1); (*arguments)[i] = arg; nargs = i + 1; done = 1; } L1: if (!(p.storageClass & STClazy && p.type.ty == Tvoid)) { bool isRef = (p.storageClass & (STCref | STCout)) != 0; if (ubyte wm = arg.type.deduceWild(p.type, isRef)) { if (wildmatch) wildmatch = MODmerge(wildmatch, wm); else wildmatch = wm; //printf("[%d] p = %s, a = %s, wm = %d, wildmatch = %d\n", i, p.type.toChars(), arg.type.toChars(), wm, wildmatch); } } } if (done) break; } if ((wildmatch == MODmutable || wildmatch == MODimmutable) && tf.next.hasWild() && (tf.isref || !tf.next.implicitConvTo(tf.next.immutableOf()))) { if (fd) { /* If the called function may return the reference to * outer inout data, it should be rejected. * * void foo(ref inout(int) x) { * ref inout(int) bar(inout(int)) { return x; } * struct S { ref inout(int) bar() inout { return x; } } * bar(int.init) = 1; // bad! * S().bar() = 1; // bad! * } */ Dsymbol s = null; if (fd.isThis() || fd.isNested()) s = fd.toParent2(); for (; s; s = s.toParent2()) { if (auto ad = s.isAggregateDeclaration()) { if (ad.isNested()) continue; break; } if (auto ff = s.isFuncDeclaration()) { if ((cast(TypeFunction)ff.type).iswild) goto Linouterr; if (ff.isNested() || ff.isThis()) continue; } break; } } else if (tf.isWild()) { Linouterr: const(char)* s = wildmatch == MODmutable ? "mutable" : MODtoChars(wildmatch); error(loc, "modify inout to %s is not allowed inside inout function", s); return true; } } assert(nargs >= nparams); for (size_t i = 0; i < nargs; i++) { Expression arg = (*arguments)[i]; assert(arg); if (i < nparams) { Parameter p = Parameter.getNth(tf.parameters, i); if (!(p.storageClass & STClazy && p.type.ty == Tvoid)) { Type tprm = p.type; if (p.type.hasWild()) tprm = p.type.substWildTo(wildmatch); if (!tprm.equals(arg.type)) { //printf("arg.type = %s, p.type = %s\n", arg.type.toChars(), p.type.toChars()); arg = arg.implicitCastTo(sc, tprm); arg = arg.optimize(WANTvalue, (p.storageClass & (STCref | STCout)) != 0); } } if (p.storageClass & STCref) { arg = arg.toLvalue(sc, arg); // Look for mutable misaligned pointer, etc., in @safe mode err |= checkUnsafeAccess(sc, arg, false, true); } else if (p.storageClass & STCout) { Type t = arg.type; if (!t.isMutable() || !t.isAssignable()) // check blit assignable { arg.error("cannot modify struct %s with immutable members", arg.toChars()); err = true; } else { // Look for misaligned pointer, etc., in @safe mode err |= checkUnsafeAccess(sc, arg, false, true); err |= checkDefCtor(arg.loc, t); // t must be default constructible } arg = arg.toLvalue(sc, arg); } else if (p.storageClass & STClazy) { // Convert lazy argument to a delegate if (p.type.ty == Tvoid) arg = toDelegate(arg, p.type, sc); else arg = toDelegate(arg, arg.type, sc); } //printf("arg: %s\n", arg.toChars()); //printf("type: %s\n", arg.type.toChars()); if (tf.parameterEscapes(p)) { /* Argument value can escape from the called function. * Check arg to see if it matters. */ if (global.params.vsafe) err |= checkParamArgumentEscape(sc, fd, p.ident, arg, false); } else { /* Argument value cannot escape from the called function. */ Expression a = arg; if (a.op == TOKcast) a = (cast(CastExp)a).e1; if (a.op == TOKfunction) { /* Function literals can only appear once, so if this * appearance was scoped, there cannot be any others. */ FuncExp fe = cast(FuncExp)a; fe.fd.tookAddressOf = 0; } else if (a.op == TOKdelegate) { /* For passing a delegate to a scoped parameter, * this doesn't count as taking the address of it. * We only worry about 'escaping' references to the function. */ DelegateExp de = cast(DelegateExp)a; if (de.e1.op == TOKvar) { VarExp ve = cast(VarExp)de.e1; FuncDeclaration f = ve.var.isFuncDeclaration(); if (f) { f.tookAddressOf--; //printf("--tookAddressOf = %d\n", f.tookAddressOf); } } } } arg = arg.optimize(WANTvalue, (p.storageClass & (STCref | STCout)) != 0); } else { // These will be the trailing ... arguments // If not D linkage, do promotions if (tf.linkage != LINKd) { // Promote bytes, words, etc., to ints arg = integralPromotions(arg, sc); // Promote floats to doubles switch (arg.type.ty) { case Tfloat32: arg = arg.castTo(sc, Type.tfloat64); break; case Timaginary32: arg = arg.castTo(sc, Type.timaginary64); break; default: break; } if (tf.varargs == 1) { const(char)* p = tf.linkage == LINKc ? "extern(C)" : "extern(C++)"; if (arg.type.ty == Tarray) { arg.error("cannot pass dynamic arrays to %s vararg functions", p); err = true; } if (arg.type.ty == Tsarray) { arg.error("cannot pass static arrays to %s vararg functions", p); err = true; } } } // Do not allow types that need destructors if (arg.type.needsDestruction()) { arg.error("cannot pass types that need destruction as variadic arguments"); err = true; } // Convert static arrays to dynamic arrays // BUG: I don't think this is right for D2 Type tb = arg.type.toBasetype(); if (tb.ty == Tsarray) { TypeSArray ts = cast(TypeSArray)tb; Type ta = ts.next.arrayOf(); if (ts.size(arg.loc) == 0) arg = new NullExp(arg.loc, ta); else arg = arg.castTo(sc, ta); } if (tb.ty == Tstruct) { //arg = callCpCtor(sc, arg); } // Give error for overloaded function addresses if (arg.op == TOKsymoff) { SymOffExp se = cast(SymOffExp)arg; if (se.hasOverloads && !se.var.isFuncDeclaration().isUnique()) { arg.error("function %s is overloaded", arg.toChars()); err = true; } } if (arg.checkValue()) err = true; arg = arg.optimize(WANTvalue); } (*arguments)[i] = arg; } /* Remaining problems: * 1. order of evaluation - some function push L-to-R, others R-to-L. Until we resolve what array assignment does (which is * implemented by calling a function) we'll defer this for now. * 2. value structs (or static arrays of them) that need to be copy constructed * 3. value structs (or static arrays of them) that have destructors, and subsequent arguments that may throw before the * function gets called (functions normally destroy their parameters) * 2 and 3 are handled by doing the argument construction in 'eprefix' so that if a later argument throws, they are cleaned * up properly. Pushing arguments on the stack then cannot fail. */ if (1) { /* TODO: tackle problem 1) */ const bool leftToRight = true; // TODO: something like !fd.isArrayOp if (!leftToRight) assert(nargs == nparams); // no variadics for RTL order, as they would probably be evaluated LTR and so add complexity const ptrdiff_t start = (leftToRight ? 0 : cast(ptrdiff_t)nargs - 1); const ptrdiff_t end = (leftToRight ? cast(ptrdiff_t)nargs : -1); const ptrdiff_t step = (leftToRight ? 1 : -1); /* Compute indices of last throwing argument and first arg needing destruction. * Used to not set up destructors unless an arg needs destruction on a throw * in a later argument. */ ptrdiff_t lastthrow = -1; ptrdiff_t firstdtor = -1; for (ptrdiff_t i = start; i != end; i += step) { Expression arg = (*arguments)[i]; if (canThrow(arg, sc.func, false)) lastthrow = i; if (firstdtor == -1 && arg.type.needsDestruction()) { Parameter p = (i >= nparams ? null : Parameter.getNth(tf.parameters, i)); if (!(p && (p.storageClass & (STClazy | STCref | STCout)))) firstdtor = i; } } /* Does problem 3) apply to this call? */ const bool needsPrefix = (firstdtor >= 0 && lastthrow >= 0 && (lastthrow - firstdtor) * step > 0); /* If so, initialize 'eprefix' by declaring the gate */ VarDeclaration gate = null; if (needsPrefix) { // eprefix => bool __gate [= false] Identifier idtmp = Identifier.generateId("__gate"); gate = new VarDeclaration(loc, Type.tbool, idtmp, null); gate.storage_class |= STCtemp | STCctfe | STCvolatile; gate.semantic(sc); auto ae = new DeclarationExp(loc, gate); eprefix = ae.semantic(sc); } for (ptrdiff_t i = start; i != end; i += step) { Expression arg = (*arguments)[i]; Parameter parameter = (i >= nparams ? null : Parameter.getNth(tf.parameters, i)); const bool isRef = (parameter && (parameter.storageClass & (STCref | STCout))); const bool isLazy = (parameter && (parameter.storageClass & STClazy)); /* Skip lazy parameters */ if (isLazy) continue; /* Do we have a gate? Then we have a prefix and we're not yet past the last throwing arg. * Declare a temporary variable for this arg and append that declaration to 'eprefix', * which will implicitly take care of potential problem 2) for this arg. * 'eprefix' will therefore finally contain all args up to and including the last * potentially throwing arg, excluding all lazy parameters. */ if (gate) { const bool needsDtor = (!isRef && arg.type.needsDestruction() && i != lastthrow); /* Declare temporary 'auto __pfx = arg' (needsDtor) or 'auto __pfy = arg' (!needsDtor) */ auto tmp = copyToTemp(0, needsDtor ? "__pfx" : "__pfy", !isRef ? arg : arg.addressOf()); tmp.semantic(sc); /* Modify the destructor so it only runs if gate==false, i.e., * only if there was a throw while constructing the args */ if (!needsDtor) { if (tmp.edtor) { assert(i == lastthrow); tmp.edtor = null; } } else { // edtor => (__gate || edtor) assert(tmp.edtor); Expression e = tmp.edtor; e = new LogicalExp(e.loc, TOKoror, new VarExp(e.loc, gate), e); tmp.edtor = e.semantic(sc); //printf("edtor: %s\n", tmp.edtor.toChars()); } // eprefix => (eprefix, auto __pfx/y = arg) auto ae = new DeclarationExp(loc, tmp); eprefix = Expression.combine(eprefix, ae.semantic(sc)); // arg => __pfx/y arg = new VarExp(loc, tmp); arg = arg.semantic(sc); if (isRef) { arg = new PtrExp(loc, arg); arg = arg.semantic(sc); } /* Last throwing arg? Then finalize eprefix => (eprefix, gate = true), * i.e., disable the dtors right after constructing the last throwing arg. * From now on, the callee will take care of destructing the args because * the args are implicitly moved into function parameters. * * Set gate to null to let the next iterations know they don't need to * append to eprefix anymore. */ if (i == lastthrow) { auto e = new AssignExp(gate.loc, new VarExp(gate.loc, gate), new IntegerExp(gate.loc, 1, Type.tbool)); eprefix = Expression.combine(eprefix, e.semantic(sc)); gate = null; } } else { /* No gate, no prefix to append to. * Handle problem 2) by calling the copy constructor for value structs * (or static arrays of them) if appropriate. */ Type tv = arg.type.baseElemOf(); if (!isRef && tv.ty == Tstruct) arg = doCopyOrMove(sc, arg); } (*arguments)[i] = arg; } } //if (eprefix) printf("eprefix: %s\n", eprefix.toChars()); // If D linkage and variadic, add _arguments[] as first argument if (tf.linkage == LINKd && tf.varargs == 1) { assert(arguments.dim >= nparams); auto args = new Parameters(); args.setDim(arguments.dim - nparams); for (size_t i = 0; i < arguments.dim - nparams; i++) { auto arg = new Parameter(STCin, (*arguments)[nparams + i].type, null, null); (*args)[i] = arg; } auto tup = new TypeTuple(args); Expression e = new TypeidExp(loc, tup); e = e.semantic(sc); arguments.insert(0, e); } Type tret = tf.next; if (isCtorCall) { //printf("[%s] fd = %s %s, %d %d %d\n", loc.toChars(), fd.toChars(), fd.type.toChars(), // wildmatch, tf.isWild(), fd.isolateReturn()); if (!tthis) { assert(sc.intypeof || global.errors); tthis = fd.isThis().type.addMod(fd.type.mod); } if (tf.isWild() && !fd.isolateReturn()) { if (wildmatch) tret = tret.substWildTo(wildmatch); int offset; if (!tret.implicitConvTo(tthis) && !(MODimplicitConv(tret.mod, tthis.mod) && tret.isBaseOf(tthis, &offset) && offset == 0)) { const(char)* s1 = tret.isNaked() ? " mutable" : tret.modToChars(); const(char)* s2 = tthis.isNaked() ? " mutable" : tthis.modToChars(); .error(loc, "inout constructor %s creates%s object, not%s", fd.toPrettyChars(), s1, s2); err = true; } } tret = tthis; } else if (wildmatch && tret) { /* Adjust function return type based on wildmatch */ //printf("wildmatch = x%x, tret = %s\n", wildmatch, tret.toChars()); tret = tret.substWildTo(wildmatch); } *prettype = tret; *peprefix = eprefix; return (err || olderrors != global.errors); } /****************************************************************/ /* A type meant as a union of all the Expression types, * to serve essentially as a Variant that will sit on the stack * during CTFE to reduce memory consumption. */ struct UnionExp { // yes, default constructor does nothing extern (D) this(Expression e) { memcpy(&this, cast(void*)e, e.size); } /* Extract pointer to Expression */ extern (C++) Expression exp() { return cast(Expression)&u; } /* Convert to an allocated Expression */ extern (C++) Expression copy() { Expression e = exp(); //if (e.size > sizeof(u)) printf("%s\n", Token::toChars(e.op)); assert(e.size <= u.sizeof); if (e.op == TOKcantexp) return CTFEExp.cantexp; if (e.op == TOKvoidexp) return CTFEExp.voidexp; if (e.op == TOKbreak) return CTFEExp.breakexp; if (e.op == TOKcontinue) return CTFEExp.continueexp; if (e.op == TOKgoto) return CTFEExp.gotoexp; return e.copy(); } private: union __AnonStruct__u { char[__traits(classInstanceSize, Expression)] exp; char[__traits(classInstanceSize, IntegerExp)] integerexp; char[__traits(classInstanceSize, ErrorExp)] errorexp; char[__traits(classInstanceSize, RealExp)] realexp; char[__traits(classInstanceSize, ComplexExp)] complexexp; char[__traits(classInstanceSize, SymOffExp)] symoffexp; char[__traits(classInstanceSize, StringExp)] stringexp; char[__traits(classInstanceSize, ArrayLiteralExp)] arrayliteralexp; char[__traits(classInstanceSize, AssocArrayLiteralExp)] assocarrayliteralexp; char[__traits(classInstanceSize, StructLiteralExp)] structliteralexp; char[__traits(classInstanceSize, NullExp)] nullexp; char[__traits(classInstanceSize, DotVarExp)] dotvarexp; char[__traits(classInstanceSize, AddrExp)] addrexp; char[__traits(classInstanceSize, IndexExp)] indexexp; char[__traits(classInstanceSize, SliceExp)] sliceexp; // Ensure that the union is suitably aligned. real_t for_alignment_only; } __AnonStruct__u u; } /******************************** * Test to see if two reals are the same. * Regard NaN's as equivalent. * Regard +0 and -0 as different. */ extern (C++) int RealEquals(real_t x1, real_t x2) { return (CTFloat.isNaN(x1) && CTFloat.isNaN(x2)) || CTFloat.isIdentical(x1, x2); } /************************ TypeDotIdExp ************************************/ /* Things like: * int.size * foo.size * (foo).size * cast(foo).size */ extern (C++) DotIdExp typeDotIdExp(Loc loc, Type type, Identifier ident) { return new DotIdExp(loc, new TypeExp(loc, type), ident); } /*********************************************** * Mark variable v as modified if it is inside a constructor that var * is a field in. */ extern (C++) int modifyFieldVar(Loc loc, Scope* sc, VarDeclaration var, Expression e1) { //printf("modifyFieldVar(var = %s)\n", var.toChars()); Dsymbol s = sc.func; while (1) { FuncDeclaration fd = null; if (s) fd = s.isFuncDeclaration(); if (fd && ((fd.isCtorDeclaration() && var.isField()) || (fd.isStaticCtorDeclaration() && !var.isField())) && fd.toParent2() == var.toParent2() && (!e1 || e1.op == TOKthis)) { bool result = true; var.ctorinit = true; //printf("setting ctorinit\n"); if (var.isField() && sc.fieldinit && !sc.intypeof) { assert(e1); auto mustInit = ((var.storage_class & STCnodefaultctor) != 0 || var.type.needsNested()); auto dim = sc.fieldinit_dim; auto ad = fd.isMember2(); assert(ad); size_t i; for (i = 0; i < dim; i++) // same as findFieldIndexByName in ctfeexp.c ? { if (ad.fields[i] == var) break; } assert(i < dim); uint fi = sc.fieldinit[i]; if (fi & CSXthis_ctor) { if (var.type.isMutable() && e1.type.isMutable()) result = false; else { const(char)* modStr = !var.type.isMutable() ? MODtoChars(var.type.mod) : MODtoChars(e1.type.mod); .error(loc, "%s field '%s' initialized multiple times", modStr, var.toChars()); } } else if (sc.noctor || (fi & CSXlabel)) { if (!mustInit && var.type.isMutable() && e1.type.isMutable()) result = false; else { const(char)* modStr = !var.type.isMutable() ? MODtoChars(var.type.mod) : MODtoChars(e1.type.mod); .error(loc, "%s field '%s' initialization is not allowed in loops or after labels", modStr, var.toChars()); } } sc.fieldinit[i] |= CSXthis_ctor; if (var.overlapped) // https://issues.dlang.org/show_bug.cgi?id=15258 { foreach (j, v; ad.fields) { if (v is var || !var.isOverlappedWith(v)) continue; v.ctorinit = true; sc.fieldinit[j] = CSXthis_ctor; } } } else if (fd != sc.func) { if (var.type.isMutable()) result = false; else if (sc.func.fes) { const(char)* p = var.isField() ? "field" : var.kind(); .error(loc, "%s %s '%s' initialization is not allowed in foreach loop", MODtoChars(var.type.mod), p, var.toChars()); } else { const(char)* p = var.isField() ? "field" : var.kind(); .error(loc, "%s %s '%s' initialization is not allowed in nested function '%s'", MODtoChars(var.type.mod), p, var.toChars(), sc.func.toChars()); } } return result; } else { if (s) { s = s.toParent2(); continue; } } break; } return false; } extern (C++) Expression opAssignToOp(Loc loc, TOK op, Expression e1, Expression e2) { Expression e; switch (op) { case TOKaddass: e = new AddExp(loc, e1, e2); break; case TOKminass: e = new MinExp(loc, e1, e2); break; case TOKmulass: e = new MulExp(loc, e1, e2); break; case TOKdivass: e = new DivExp(loc, e1, e2); break; case TOKmodass: e = new ModExp(loc, e1, e2); break; case TOKandass: e = new AndExp(loc, e1, e2); break; case TOKorass: e = new OrExp(loc, e1, e2); break; case TOKxorass: e = new XorExp(loc, e1, e2); break; case TOKshlass: e = new ShlExp(loc, e1, e2); break; case TOKshrass: e = new ShrExp(loc, e1, e2); break; case TOKushrass: e = new UshrExp(loc, e1, e2); break; default: assert(0); } return e; } /****************************************************************/ extern (C++) Expression extractOpDollarSideEffect(Scope* sc, UnaExp ue) { Expression e0; Expression e1 = Expression.extractLast(ue.e1, &e0); // https://issues.dlang.org/show_bug.cgi?id=12585 // Extract the side effect part if ue.e1 is comma. if (!isTrivialExp(e1)) { /* Even if opDollar is needed, 'e1' should be evaluate only once. So * Rewrite: * e1.opIndex( ... use of $ ... ) * e1.opSlice( ... use of $ ... ) * as: * (ref __dop = e1, __dop).opIndex( ... __dop.opDollar ...) * (ref __dop = e1, __dop).opSlice( ... __dop.opDollar ...) */ e1 = extractSideEffect(sc, "__dop", e0, e1, false); assert(e1.op == TOKvar); VarExp ve = cast(VarExp)e1; ve.var.storage_class |= STCexptemp; // lifetime limited to expression } ue.e1 = e1; return e0; } /************************************** * Runs semantic on ae.arguments. Declares temporary variables * if '$' was used. */ extern (C++) Expression resolveOpDollar(Scope* sc, ArrayExp ae, Expression* pe0) { assert(!ae.lengthVar); *pe0 = null; AggregateDeclaration ad = isAggregate(ae.e1.type); Dsymbol slice = search_function(ad, Id.slice); //printf("slice = %s %s\n", slice.kind(), slice.toChars()); for (size_t i = 0; i < ae.arguments.dim; i++) { if (i == 0) *pe0 = extractOpDollarSideEffect(sc, ae); Expression e = (*ae.arguments)[i]; if (e.op == TOKinterval && !(slice && slice.isTemplateDeclaration())) { Lfallback: if (ae.arguments.dim == 1) return null; ae.error("multi-dimensional slicing requires template opSlice"); return new ErrorExp(); } //printf("[%d] e = %s\n", i, e.toChars()); // Create scope for '$' variable for this dimension auto sym = new ArrayScopeSymbol(sc, ae); sym.loc = ae.loc; sym.parent = sc.scopesym; sc = sc.push(sym); ae.lengthVar = null; // Create it only if required ae.currentDimension = i; // Dimension for $, if required e = e.semantic(sc); e = resolveProperties(sc, e); if (ae.lengthVar && sc.func) { // If $ was used, declare it now Expression de = new DeclarationExp(ae.loc, ae.lengthVar); de = de.semantic(sc); *pe0 = Expression.combine(*pe0, de); } sc = sc.pop(); if (e.op == TOKinterval) { IntervalExp ie = cast(IntervalExp)e; auto tiargs = new Objects(); Expression edim = new IntegerExp(ae.loc, i, Type.tsize_t); edim = edim.semantic(sc); tiargs.push(edim); auto fargs = new Expressions(); fargs.push(ie.lwr); fargs.push(ie.upr); uint xerrors = global.startGagging(); sc = sc.push(); FuncDeclaration fslice = resolveFuncCall(ae.loc, sc, slice, tiargs, ae.e1.type, fargs, 1); sc = sc.pop(); global.endGagging(xerrors); if (!fslice) goto Lfallback; e = new DotTemplateInstanceExp(ae.loc, ae.e1, slice.ident, tiargs); e = new CallExp(ae.loc, e, fargs); e = e.semantic(sc); } if (!e.type) { ae.error("%s has no value", e.toChars()); e = new ErrorExp(); } if (e.op == TOKerror) return e; (*ae.arguments)[i] = e; } return ae; } /************************************** * Runs semantic on se.lwr and se.upr. Declares a temporary variable * if '$' was used. */ extern (C++) Expression resolveOpDollar(Scope* sc, ArrayExp ae, IntervalExp ie, Expression* pe0) { //assert(!ae.lengthVar); if (!ie) return ae; VarDeclaration lengthVar = ae.lengthVar; // create scope for '$' auto sym = new ArrayScopeSymbol(sc, ae); sym.loc = ae.loc; sym.parent = sc.scopesym; sc = sc.push(sym); for (size_t i = 0; i < 2; ++i) { Expression e = i == 0 ? ie.lwr : ie.upr; e = e.semantic(sc); e = resolveProperties(sc, e); if (!e.type) { ae.error("%s has no value", e.toChars()); return new ErrorExp(); } (i == 0 ? ie.lwr : ie.upr) = e; } if (lengthVar != ae.lengthVar && sc.func) { // If $ was used, declare it now Expression de = new DeclarationExp(ae.loc, ae.lengthVar); de = de.semantic(sc); *pe0 = Expression.combine(*pe0, de); } sc = sc.pop(); return ae; } /*********************************************************** * Resolve `exp` as a compile-time known string. * Params: * sc = scope * exp = Expression which expected as a string * s = What the string is expected for, will be used in error diagnostic. * Returns: * String literal, or `null` if error happens. */ StringExp semanticString(Scope *sc, Expression exp, const char* s) { sc = sc.startCTFE(); exp = exp.semantic(sc); exp = resolveProperties(sc, exp); sc = sc.endCTFE(); if (exp.op == TOKerror) return null; auto e = exp; if (exp.type.isString()) { e = e.ctfeInterpret(); if (e.op == TOKerror) return null; } auto se = e.toStringExp(); if (!se) { exp.error("string expected for %s, not (%s) of type %s", s, exp.toChars(), exp.type.toChars()); return null; } return se; } enum OwnedBy : int { OWNEDcode, // normal code expression in AST OWNEDctfe, // value expression for CTFE OWNEDcache, // constant value cached for CTFE } alias OWNEDcode = OwnedBy.OWNEDcode; alias OWNEDctfe = OwnedBy.OWNEDctfe; alias OWNEDcache = OwnedBy.OWNEDcache; enum WANTvalue = 0; // default enum WANTexpand = 1; // expand const/immutable variables if possible /*********************************************************** * http://dlang.org/spec/expression.html#expression */ extern (C++) abstract class Expression : RootObject { Loc loc; // file location Type type; // !=null means that semantic() has been run TOK op; // to minimize use of dynamic_cast ubyte size; // # of bytes in Expression so we can copy() it ubyte parens; // if this is a parenthesized expression final extern (D) this(Loc loc, TOK op, int size) { //printf("Expression::Expression(op = %d) this = %p\n", op, this); this.loc = loc; this.op = op; this.size = cast(ubyte)size; } static void _init() { CTFEExp.cantexp = new CTFEExp(TOKcantexp); CTFEExp.voidexp = new CTFEExp(TOKvoidexp); CTFEExp.breakexp = new CTFEExp(TOKbreak); CTFEExp.continueexp = new CTFEExp(TOKcontinue); CTFEExp.gotoexp = new CTFEExp(TOKgoto); } /********************************* * Does *not* do a deep copy. */ final Expression copy() { Expression e; if (!size) { debug { fprintf(stderr, "No expression copy for: %s\n", toChars()); printf("op = %d\n", op); print(); } assert(0); } e = cast(Expression)mem.xmalloc(size); //printf("Expression::copy(op = %d) e = %p\n", op, e); return cast(Expression)memcpy(cast(void*)e, cast(void*)this, size); } Expression syntaxCopy() { //printf("Expression::syntaxCopy()\n"); //print(); return copy(); } // kludge for template.isExpression() override final DYNCAST dyncast() const { return DYNCAST.expression; } override final void print() { fprintf(stderr, "%s\n", toChars()); fflush(stderr); } override const(char)* toChars() { OutBuffer buf; HdrGenState hgs; toCBuffer(this, &buf, &hgs); return buf.extractString(); } final void error(const(char)* format, ...) const { if (type != Type.terror) { va_list ap; va_start(ap, format); .verror(loc, format, ap); va_end(ap); } } final void warning(const(char)* format, ...) const { if (type != Type.terror) { va_list ap; va_start(ap, format); .vwarning(loc, format, ap); va_end(ap); } } final void deprecation(const(char)* format, ...) const { if (type != Type.terror) { va_list ap; va_start(ap, format); .vdeprecation(loc, format, ap); va_end(ap); } } /********************************** * Combine e1 and e2 by CommaExp if both are not NULL. */ static Expression combine(Expression e1, Expression e2) { if (e1) { if (e2) { e1 = new CommaExp(e1.loc, e1, e2); e1.type = e2.type; } } else e1 = e2; return e1; } /********************************** * If 'e' is a tree of commas, returns the leftmost expression * by stripping off it from the tree. The remained part of the tree * is returned via *pe0. * Otherwise 'e' is directly returned and *pe0 is set to NULL. */ static Expression extractLast(Expression e, Expression* pe0) { if (e.op != TOKcomma) { *pe0 = null; return e; } CommaExp ce = cast(CommaExp)e; if (ce.e2.op != TOKcomma) { *pe0 = ce.e1; return ce.e2; } else { *pe0 = e; Expression* pce = &ce.e2; while ((cast(CommaExp)(*pce)).e2.op == TOKcomma) { pce = &(cast(CommaExp)(*pce)).e2; } assert((*pce).op == TOKcomma); ce = cast(CommaExp)(*pce); *pce = ce.e1; return ce.e2; } } static Expressions* arraySyntaxCopy(Expressions* exps) { Expressions* a = null; if (exps) { a = new Expressions(); a.setDim(exps.dim); for (size_t i = 0; i < a.dim; i++) { Expression e = (*exps)[i]; (*a)[i] = e ? e.syntaxCopy() : null; } } return a; } dinteger_t toInteger() { //printf("Expression %s\n", Token::toChars(op)); error("integer constant expression expected instead of %s", toChars()); return 0; } uinteger_t toUInteger() { //printf("Expression %s\n", Token::toChars(op)); return cast(uinteger_t)toInteger(); } real_t toReal() { error("floating point constant expression expected instead of %s", toChars()); return CTFloat.zero; } real_t toImaginary() { error("floating point constant expression expected instead of %s", toChars()); return CTFloat.zero; } complex_t toComplex() { error("floating point constant expression expected instead of %s", toChars()); return complex_t(CTFloat.zero); } StringExp toStringExp() { return null; } /*************************************** * Return !=0 if expression is an lvalue. */ bool isLvalue() { return false; } /******************************* * Give error if we're not an lvalue. * If we can, convert expression to be an lvalue. */ Expression toLvalue(Scope* sc, Expression e) { if (!e) e = this; else if (!loc.filename) loc = e.loc; if (e.op == TOKtype) error("%s '%s' is a type, not an lvalue", e.type.kind(), e.type.toChars()); else error("%s is not an lvalue", e.toChars()); return new ErrorExp(); } Expression modifiableLvalue(Scope* sc, Expression e) { //printf("Expression::modifiableLvalue() %s, type = %s\n", toChars(), type.toChars()); // See if this expression is a modifiable lvalue (i.e. not const) if (checkModifiable(sc) == 1) { assert(type); if (!type.isMutable()) { if (op == TOKdotvar) { if (isNeedThisScope(sc, (cast(DotVarExp) this).var)) for (Dsymbol s = sc.func; s; s = s.toParent2()) { FuncDeclaration ff = s.isFuncDeclaration(); if (!ff) break; if (!ff.type.isMutable) { error("cannot modify %s in %s function", toChars(), MODtoChars(type.mod)); return new ErrorExp(); } } } error("cannot modify %s expression %s", MODtoChars(type.mod), toChars()); return new ErrorExp(); } else if (!type.isAssignable()) { error("cannot modify struct %s %s with immutable members", toChars(), type.toChars()); return new ErrorExp(); } } return toLvalue(sc, e); } final Expression implicitCastTo(Scope* sc, Type t) { return .implicitCastTo(this, sc, t); } final MATCH implicitConvTo(Type t) { return .implicitConvTo(this, t); } final Expression castTo(Scope* sc, Type t) { return .castTo(this, sc, t); } /**************************************** * Resolve __FILE__, __LINE__, __MODULE__, __FUNCTION__, __PRETTY_FUNCTION__ to loc. */ Expression resolveLoc(Loc loc, Scope* sc) { this.loc = loc; return this; } /**************************************** * Check that the expression has a valid type. * If not, generates an error "... has no type". * Returns: * true if the expression is not valid. * Note: * When this function returns true, `checkValue()` should also return true. */ bool checkType() { return false; } /**************************************** * Check that the expression has a valid value. * If not, generates an error "... has no value". * Returns: * true if the expression is not valid or has void type. */ bool checkValue() { if (type && type.toBasetype().ty == Tvoid) { error("expression %s is void and has no value", toChars()); //print(); assert(0); if (!global.gag) type = Type.terror; return true; } return false; } final bool checkScalar() { if (op == TOKerror) return true; if (type.toBasetype().ty == Terror) return true; if (!type.isscalar()) { error("'%s' is not a scalar, it is a %s", toChars(), type.toChars()); return true; } return checkValue(); } final bool checkNoBool() { if (op == TOKerror) return true; if (type.toBasetype().ty == Terror) return true; if (type.toBasetype().ty == Tbool) { error("operation not allowed on bool '%s'", toChars()); return true; } return false; } final bool checkIntegral() { if (op == TOKerror) return true; if (type.toBasetype().ty == Terror) return true; if (!type.isintegral()) { error("'%s' is not of integral type, it is a %s", toChars(), type.toChars()); return true; } return checkValue(); } final bool checkArithmetic() { if (op == TOKerror) return true; if (type.toBasetype().ty == Terror) return true; if (!type.isintegral() && !type.isfloating()) { error("'%s' is not of arithmetic type, it is a %s", toChars(), type.toChars()); return true; } return checkValue(); } final void checkDeprecated(Scope* sc, Dsymbol s) { s.checkDeprecated(loc, sc); } /********************************************* * Calling function f. * Check the purity, i.e. if we're in a pure function * we can only call other pure functions. * Returns true if error occurs. */ final bool checkPurity(Scope* sc, FuncDeclaration f) { if (!sc.func) return false; if (sc.func == f) return false; if (sc.intypeof == 1) return false; if (sc.flags & (SCOPEctfe | SCOPEdebug)) return false; /* Given: * void f() { * pure void g() { * /+pure+/ void h() { * /+pure+/ void i() { } * } * } * } * g() can call h() but not f() * i() can call h() and g() but not f() */ // Find the closest pure parent of the calling function FuncDeclaration outerfunc = sc.func; FuncDeclaration calledparent = f; if (outerfunc.isInstantiated()) { // The attributes of outerfunc should be inferred from the call of f. } else if (f.isInstantiated()) { // The attributes of f are inferred from its body. } else if (f.isFuncLiteralDeclaration()) { // The attributes of f are always inferred in its declared place. } else { /* Today, static local functions are impure by default, but they cannot * violate purity of enclosing functions. * * auto foo() pure { // non instantiated function * static auto bar() { // static, without pure attribute * impureFunc(); // impure call * // Although impureFunc is called inside bar, f(= impureFunc) * // is not callable inside pure outerfunc(= foo <- bar). * } * * bar(); * // Although bar is called inside foo, f(= bar) is callable * // bacause calledparent(= foo) is same with outerfunc(= foo). * } */ while (outerfunc.toParent2() && outerfunc.isPureBypassingInference() == PUREimpure && outerfunc.toParent2().isFuncDeclaration()) { outerfunc = outerfunc.toParent2().isFuncDeclaration(); if (outerfunc.type.ty == Terror) return true; } while (calledparent.toParent2() && calledparent.isPureBypassingInference() == PUREimpure && calledparent.toParent2().isFuncDeclaration()) { calledparent = calledparent.toParent2().isFuncDeclaration(); if (calledparent.type.ty == Terror) return true; } } // If the caller has a pure parent, then either the called func must be pure, // OR, they must have the same pure parent. if (!f.isPure() && calledparent != outerfunc) { FuncDeclaration ff = outerfunc; if (sc.flags & SCOPEcompile ? ff.isPureBypassingInference() >= PUREweak : ff.setImpure()) { error("pure %s '%s' cannot call impure %s '%s'", ff.kind(), ff.toPrettyChars(), f.kind(), f.toPrettyChars()); return true; } } return false; } /******************************************* * Accessing variable v. * Check for purity and safety violations. * Returns true if error occurs. */ final bool checkPurity(Scope* sc, VarDeclaration v) { //printf("v = %s %s\n", v.type.toChars(), v.toChars()); /* Look for purity and safety violations when accessing variable v * from current function. */ if (!sc.func) return false; if (sc.intypeof == 1) return false; // allow violations inside typeof(expression) if (sc.flags & (SCOPEctfe | SCOPEdebug)) return false; // allow violations inside compile-time evaluated expressions and debug conditionals if (v.ident == Id.ctfe) return false; // magic variable never violates pure and safe if (v.isImmutable()) return false; // always safe and pure to access immutables... if (v.isConst() && !v.isRef() && (v.isDataseg() || v.isParameter()) && v.type.implicitConvTo(v.type.immutableOf())) return false; // or const global/parameter values which have no mutable indirections if (v.storage_class & STCmanifest) return false; // ...or manifest constants bool err = false; if (v.isDataseg()) { // https://issues.dlang.org/show_bug.cgi?id=7533 // Accessing implicit generated __gate is pure. if (v.ident == Id.gate) return false; /* Accessing global mutable state. * Therefore, this function and all its immediately enclosing * functions must be pure. */ /* Today, static local functions are impure by default, but they cannot * violate purity of enclosing functions. * * auto foo() pure { // non instantiated function * static auto bar() { // static, without pure attribute * globalData++; // impure access * // Although globalData is accessed inside bar, * // it is not accessible inside pure foo. * } * } */ for (Dsymbol s = sc.func; s; s = s.toParent2()) { FuncDeclaration ff = s.isFuncDeclaration(); if (!ff) break; if (sc.flags & SCOPEcompile ? ff.isPureBypassingInference() >= PUREweak : ff.setImpure()) { error("pure %s '%s' cannot access mutable static data '%s'", ff.kind(), ff.toPrettyChars(), v.toChars()); err = true; break; } /* If the enclosing is an instantiated function or a lambda, its * attribute inference result is preferred. */ if (ff.isInstantiated()) break; if (ff.isFuncLiteralDeclaration()) break; } } else { /* Given: * void f() { * int fx; * pure void g() { * int gx; * /+pure+/ void h() { * int hx; * /+pure+/ void i() { } * } * } * } * i() can modify hx and gx but not fx */ Dsymbol vparent = v.toParent2(); for (Dsymbol s = sc.func; !err && s; s = s.toParent2()) { if (s == vparent) break; if (AggregateDeclaration ad = s.isAggregateDeclaration()) { if (ad.isNested()) continue; break; } FuncDeclaration ff = s.isFuncDeclaration(); if (!ff) break; if (ff.isNested() || ff.isThis()) { if (ff.type.isImmutable() || ff.type.isShared() && !MODimplicitConv(ff.type.mod, v.type.mod)) { OutBuffer ffbuf; OutBuffer vbuf; MODMatchToBuffer(&ffbuf, ff.type.mod, v.type.mod); MODMatchToBuffer(&vbuf, v.type.mod, ff.type.mod); error("%s%s '%s' cannot access %sdata '%s'", ffbuf.peekString(), ff.kind(), ff.toPrettyChars(), vbuf.peekString(), v.toChars()); err = true; break; } continue; } break; } } /* Do not allow safe functions to access __gshared data */ if (v.storage_class & STCgshared) { if (sc.func.setUnsafe()) { error("safe %s '%s' cannot access __gshared data '%s'", sc.func.kind(), sc.func.toChars(), v.toChars()); err = true; } } return err; } /********************************************* * Calling function f. * Check the safety, i.e. if we're in a @safe function * we can only call @safe or @trusted functions. * Returns true if error occurs. */ final bool checkSafety(Scope* sc, FuncDeclaration f) { if (!sc.func) return false; if (sc.func == f) return false; if (sc.intypeof == 1) return false; if (sc.flags & SCOPEctfe) return false; if (!f.isSafe() && !f.isTrusted()) { if (sc.flags & SCOPEcompile ? sc.func.isSafeBypassingInference() : sc.func.setUnsafe()) { if (loc.linnum == 0) // e.g. implicitly generated dtor loc = sc.func.loc; error("@safe %s '%s' cannot call @system %s '%s'", sc.func.kind(), sc.func.toPrettyChars(), f.kind(), f.toPrettyChars()); return true; } } return false; } /********************************************* * Calling function f. * Check the @nogc-ness, i.e. if we're in a @nogc function * we can only call other @nogc functions. * Returns true if error occurs. */ final bool checkNogc(Scope* sc, FuncDeclaration f) { if (!sc.func) return false; if (sc.func == f) return false; if (sc.intypeof == 1) return false; if (sc.flags & SCOPEctfe) return false; if (!f.isNogc()) { if (sc.flags & SCOPEcompile ? sc.func.isNogcBypassingInference() : sc.func.setGC()) { if (loc.linnum == 0) // e.g. implicitly generated dtor loc = sc.func.loc; error("@nogc %s '%s' cannot call non-@nogc %s '%s'", sc.func.kind(), sc.func.toPrettyChars(), f.kind(), f.toPrettyChars()); return true; } } return false; } /******************************************** * Check that the postblit is callable if t is an array of structs. * Returns true if error happens. */ final bool checkPostblit(Scope* sc, Type t) { t = t.baseElemOf(); if (t.ty == Tstruct) { // https://issues.dlang.org/show_bug.cgi?id=11395 // Require TypeInfo generation for array concatenation semanticTypeInfo(sc, t); StructDeclaration sd = (cast(TypeStruct)t).sym; if (sd.postblit) { if (sd.postblit.storage_class & STCdisable) { sd.error(loc, "is not copyable because it is annotated with @disable"); return true; } //checkDeprecated(sc, sd.postblit); // necessary? checkPurity(sc, sd.postblit); checkSafety(sc, sd.postblit); checkNogc(sc, sd.postblit); //checkAccess(sd, loc, sc, sd.postblit); // necessary? return false; } } return false; } final bool checkRightThis(Scope* sc) { if (op == TOKerror) return true; if (op == TOKvar && type.ty != Terror) { VarExp ve = cast(VarExp)this; if (isNeedThisScope(sc, ve.var)) { //printf("checkRightThis sc.intypeof = %d, ad = %p, func = %p, fdthis = %p\n", // sc.intypeof, sc.getStructClassScope(), func, fdthis); error("need 'this' for '%s' of type '%s'", ve.var.toChars(), ve.var.type.toChars()); return true; } } return false; } /******************************* * Check whether the expression allows RMW operations, error with rmw operator diagnostic if not. * ex is the RHS expression, or NULL if ++/-- is used (for diagnostics) * Returns true if error occurs. */ final bool checkReadModifyWrite(TOK rmwOp, Expression ex = null) { //printf("Expression::checkReadModifyWrite() %s %s", toChars(), ex ? ex.toChars() : ""); if (!type || !type.isShared()) return false; // atomicOp uses opAssign (+=/-=) rather than opOp (++/--) for the CT string literal. switch (rmwOp) { case TOKplusplus: case TOKpreplusplus: rmwOp = TOKaddass; break; case TOKminusminus: case TOKpreminusminus: rmwOp = TOKminass; break; default: break; } deprecation("read-modify-write operations are not allowed for shared variables. Use core.atomic.atomicOp!\"%s\"(%s, %s) instead.", Token.toChars(rmwOp), toChars(), ex ? ex.toChars() : "1"); return false; // note: enable when deprecation becomes an error. // return true; } /*************************************** * Parameters: * sc: scope * flag: 1: do not issue error message for invalid modification * Returns: * 0: is not modifiable * 1: is modifiable in default == being related to type.isMutable() * 2: is modifiable, because this is a part of initializing. */ int checkModifiable(Scope* sc, int flag = 0) { return type ? 1 : 0; // default modifiable } /***************************** * If expression can be tested for true or false, * returns the modified expression. * Otherwise returns ErrorExp. */ Expression toBoolean(Scope* sc) { // Default is 'yes' - do nothing debug { if (!type) print(); assert(type); } Expression e = this; Type t = type; Type tb = type.toBasetype(); Type att = null; Lagain: // Structs can be converted to bool using opCast(bool)() if (tb.ty == Tstruct) { AggregateDeclaration ad = (cast(TypeStruct)tb).sym; /* Don't really need to check for opCast first, but by doing so we * get better error messages if it isn't there. */ Dsymbol fd = search_function(ad, Id._cast); if (fd) { e = new CastExp(loc, e, Type.tbool); e = e.semantic(sc); return e; } // Forward to aliasthis. if (ad.aliasthis && tb != att) { if (!att && tb.checkAliasThisRec()) att = tb; e = resolveAliasThis(sc, e); t = e.type; tb = e.type.toBasetype(); goto Lagain; } } if (!t.isBoolean()) { if (tb != Type.terror) error("expression %s of type %s does not have a boolean value", toChars(), t.toChars()); return new ErrorExp(); } return e; } /************************************************ * Destructors are attached to VarDeclarations. * Hence, if expression returns a temp that needs a destructor, * make sure and create a VarDeclaration for that temp. */ Expression addDtorHook(Scope* sc) { return this; } /****************************** * Take address of expression. */ final Expression addressOf() { //printf("Expression::addressOf()\n"); debug { assert(op == TOKerror || isLvalue()); } Expression e = new AddrExp(loc, this); e.type = type.pointerTo(); return e; } /****************************** * If this is a reference, dereference it. */ final Expression deref() { //printf("Expression::deref()\n"); // type could be null if forward referencing an 'auto' variable if (type && type.ty == Treference) { Expression e = new PtrExp(loc, this); e.type = (cast(TypeReference)type).next; return e; } return this; } final Expression optimize(int result, bool keepLvalue = false) { return Expression_optimize(this, result, keepLvalue); } // Entry point for CTFE. // A compile-time result is required. Give an error if not possible final Expression ctfeInterpret() { return .ctfeInterpret(this); } final int isConst() { return .isConst(this); } /******************************** * Does this expression statically evaluate to a boolean 'result' (true or false)? */ bool isBool(bool result) { return false; } final Expression op_overload(Scope* sc) { return .op_overload(this, sc); } bool hasCode() { return true; } void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class IntegerExp : Expression { dinteger_t value; extern (D) this(Loc loc, dinteger_t value, Type type) { super(loc, TOKint64, __traits(classInstanceSize, IntegerExp)); //printf("IntegerExp(value = %lld, type = '%s')\n", value, type ? type.toChars() : ""); assert(type); if (!type.isscalar()) { //printf("%s, loc = %d\n", toChars(), loc.linnum); if (type.ty != Terror) error("integral constant must be scalar type, not %s", type.toChars()); type = Type.terror; } this.type = type; setInteger(value); } extern (D) this(dinteger_t value) { super(Loc(), TOKint64, __traits(classInstanceSize, IntegerExp)); this.type = Type.tint32; this.value = cast(d_int32)value; } static IntegerExp create(Loc loc, dinteger_t value, Type type) { return new IntegerExp(loc, value, type); } override bool equals(RootObject o) { if (this == o) return true; if ((cast(Expression)o).op == TOKint64) { IntegerExp ne = cast(IntegerExp)o; if (type.toHeadMutable().equals(ne.type.toHeadMutable()) && value == ne.value) { return true; } } return false; } override dinteger_t toInteger() { normalize(); // necessary until we fix all the paints of 'type' return value; } override real_t toReal() { normalize(); // necessary until we fix all the paints of 'type' Type t = type.toBasetype(); if (t.ty == Tuns64) return real_t(cast(d_uns64)value); else return real_t(cast(d_int64)value); } override real_t toImaginary() { return CTFloat.zero; } override complex_t toComplex() { return complex_t(toReal()); } override bool isBool(bool result) { bool r = toInteger() != 0; return result ? r : !r; } override Expression toLvalue(Scope* sc, Expression e) { if (!e) e = this; else if (!loc.filename) loc = e.loc; e.error("constant %s is not an lvalue", e.toChars()); return new ErrorExp(); } override void accept(Visitor v) { v.visit(this); } dinteger_t getInteger() { return value; } void setInteger(dinteger_t value) { this.value = value; normalize(); } void normalize() { /* 'Normalize' the value of the integer to be in range of the type */ switch (type.toBasetype().ty) { case Tbool: value = (value != 0); break; case Tint8: value = cast(d_int8)value; break; case Tchar: case Tuns8: value = cast(d_uns8)value; break; case Tint16: value = cast(d_int16)value; break; case Twchar: case Tuns16: value = cast(d_uns16)value; break; case Tint32: value = cast(d_int32)value; break; case Tdchar: case Tuns32: value = cast(d_uns32)value; break; case Tint64: value = cast(d_int64)value; break; case Tuns64: value = cast(d_uns64)value; break; case Tpointer: if (Target.ptrsize == 4) value = cast(d_uns32)value; else if (Target.ptrsize == 8) value = cast(d_uns64)value; else assert(0); break; default: break; } } } /*********************************************************** * Use this expression for error recovery. * It should behave as a 'sink' to prevent further cascaded error messages. */ extern (C++) final class ErrorExp : Expression { extern (D) this() { super(Loc(), TOKerror, __traits(classInstanceSize, ErrorExp)); type = Type.terror; } override Expression toLvalue(Scope* sc, Expression e) { return this; } override void accept(Visitor v) { v.visit(this); } extern (C++) static __gshared ErrorExp errorexp; // handy shared value } /*********************************************************** */ extern (C++) final class RealExp : Expression { real_t value; extern (D) this(Loc loc, real_t value, Type type) { super(loc, TOKfloat64, __traits(classInstanceSize, RealExp)); //printf("RealExp::RealExp(%Lg)\n", value); this.value = value; this.type = type; } static RealExp create(Loc loc, real_t value, Type type) { return new RealExp(loc, value, type); } override bool equals(RootObject o) { if (this == o) return true; if ((cast(Expression)o).op == TOKfloat64) { RealExp ne = cast(RealExp)o; if (type.toHeadMutable().equals(ne.type.toHeadMutable()) && RealEquals(value, ne.value)) { return true; } } return false; } override dinteger_t toInteger() { return cast(sinteger_t)toReal(); } override uinteger_t toUInteger() { return cast(uinteger_t)toReal(); } override real_t toReal() { return type.isreal() ? value : CTFloat.zero; } override real_t toImaginary() { return type.isreal() ? CTFloat.zero : value; } override complex_t toComplex() { return complex_t(toReal(), toImaginary()); } override bool isBool(bool result) { return result ? cast(bool)value : !cast(bool)value; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ComplexExp : Expression { complex_t value; extern (D) this(Loc loc, complex_t value, Type type) { super(loc, TOKcomplex80, __traits(classInstanceSize, ComplexExp)); this.value = value; this.type = type; //printf("ComplexExp::ComplexExp(%s)\n", toChars()); } static ComplexExp create(Loc loc, complex_t value, Type type) { return new ComplexExp(loc, value, type); } override bool equals(RootObject o) { if (this == o) return true; if ((cast(Expression)o).op == TOKcomplex80) { ComplexExp ne = cast(ComplexExp)o; if (type.toHeadMutable().equals(ne.type.toHeadMutable()) && RealEquals(creall(value), creall(ne.value)) && RealEquals(cimagl(value), cimagl(ne.value))) { return true; } } return false; } override dinteger_t toInteger() { return cast(sinteger_t)toReal(); } override uinteger_t toUInteger() { return cast(uinteger_t)toReal(); } override real_t toReal() { return creall(value); } override real_t toImaginary() { return cimagl(value); } override complex_t toComplex() { return value; } override bool isBool(bool result) { if (result) return cast(bool)value; else return !value; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) class IdentifierExp : Expression { Identifier ident; final extern (D) this(Loc loc, Identifier ident) { super(loc, TOKidentifier, __traits(classInstanceSize, IdentifierExp)); this.ident = ident; } static IdentifierExp create(Loc loc, Identifier ident) { return new IdentifierExp(loc, ident); } override final bool isLvalue() { return true; } override final Expression toLvalue(Scope* sc, Expression e) { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DollarExp : IdentifierExp { extern (D) this(Loc loc) { super(loc, Id.dollar); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Won't be generated by parser. */ extern (C++) final class DsymbolExp : Expression { Dsymbol s; bool hasOverloads; extern (D) this(Loc loc, Dsymbol s, bool hasOverloads = true) { super(loc, TOKdsymbol, __traits(classInstanceSize, DsymbolExp)); this.s = s; this.hasOverloads = hasOverloads; } override bool isLvalue() { return true; } override Expression toLvalue(Scope* sc, Expression e) { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#this */ extern (C++) class ThisExp : Expression { VarDeclaration var; final extern (D) this(Loc loc) { super(loc, TOKthis, __traits(classInstanceSize, ThisExp)); //printf("ThisExp::ThisExp() loc = %d\n", loc.linnum); } override final bool isBool(bool result) { return result ? true : false; } override final bool isLvalue() { // Class `this` should be an rvalue; struct `this` should be an lvalue. return type.toBasetype().ty != Tclass; } override final Expression toLvalue(Scope* sc, Expression e) { if (type.toBasetype().ty == Tclass) { // Class `this` is an rvalue; struct `this` is an lvalue. return Expression.toLvalue(sc, e); } return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#super */ extern (C++) final class SuperExp : ThisExp { extern (D) this(Loc loc) { super(loc); op = TOKsuper; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#null */ extern (C++) final class NullExp : Expression { ubyte committed; // !=0 if type is committed extern (D) this(Loc loc, Type type = null) { super(loc, TOKnull, __traits(classInstanceSize, NullExp)); this.type = type; } override bool equals(RootObject o) { if (o && o.dyncast() == DYNCAST.expression) { Expression e = cast(Expression)o; if (e.op == TOKnull && type.equals(e.type)) { return true; } } return false; } override bool isBool(bool result) { return result ? false : true; } override StringExp toStringExp() { if (implicitConvTo(Type.tstring)) { auto se = new StringExp(loc, cast(char*)mem.xcalloc(1, 1), 0); se.type = Type.tstring; return se; } return null; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#string_literals */ extern (C++) final class StringExp : Expression { union { char* string; // if sz == 1 wchar* wstring; // if sz == 2 dchar* dstring; // if sz == 4 } // (const if ownedByCtfe == OWNEDcode) size_t len; // number of code units ubyte sz = 1; // 1: char, 2: wchar, 4: dchar ubyte committed; // !=0 if type is committed char postfix = 0; // 'c', 'w', 'd' OwnedBy ownedByCtfe = OWNEDcode; extern (D) this(Loc loc, char* string) { super(loc, TOKstring, __traits(classInstanceSize, StringExp)); this.string = string; this.len = strlen(string); this.sz = 1; // work around LDC bug #1286 } extern (D) this(Loc loc, void* string, size_t len) { super(loc, TOKstring, __traits(classInstanceSize, StringExp)); this.string = cast(char*)string; this.len = len; this.sz = 1; // work around LDC bug #1286 } extern (D) this(Loc loc, void* string, size_t len, char postfix) { super(loc, TOKstring, __traits(classInstanceSize, StringExp)); this.string = cast(char*)string; this.len = len; this.postfix = postfix; this.sz = 1; // work around LDC bug #1286 } static StringExp create(Loc loc, char* s) { return new StringExp(loc, s); } static StringExp create(Loc loc, void* string, size_t len) { return new StringExp(loc, string, len); } override bool equals(RootObject o) { //printf("StringExp::equals('%s') %s\n", o.toChars(), toChars()); if (o && o.dyncast() == DYNCAST.expression) { Expression e = cast(Expression)o; if (e.op == TOKstring) { return compare(o) == 0; } } return false; } /********************************** * Return the number of code units the string would be if it were re-encoded * as tynto. * Params: * tynto = code unit type of the target encoding * Returns: * number of code units */ final size_t numberOfCodeUnits(int tynto = 0) const { int encSize; switch (tynto) { case 0: return len; case Tchar: encSize = 1; break; case Twchar: encSize = 2; break; case Tdchar: encSize = 4; break; default: assert(0); } if (sz == encSize) return len; size_t result = 0; dchar c; switch (sz) { case 1: for (size_t u = 0; u < len;) { if (const p = utf_decodeChar(string, len, u, c)) { error("%s", p); return 0; } result += utf_codeLength(encSize, c); } break; case 2: for (size_t u = 0; u < len;) { if (const p = utf_decodeWchar(wstring, len, u, c)) { error("%s", p); return 0; } result += utf_codeLength(encSize, c); } break; case 4: foreach (u; 0 .. len) { result += utf_codeLength(encSize, dstring[u]); } break; default: assert(0); } return result; } /********************************************** * Write the contents of the string to dest. * Use numberOfCodeUnits() to determine size of result. * Params: * dest = destination * tyto = encoding type of the result * zero = add terminating 0 */ void writeTo(void* dest, bool zero, int tyto = 0) const { int encSize; switch (tyto) { case 0: encSize = sz; break; case Tchar: encSize = 1; break; case Twchar: encSize = 2; break; case Tdchar: encSize = 4; break; default: assert(0); } if (sz == encSize) { memcpy(dest, string, len * sz); if (zero) memset(dest + len * sz, 0, sz); } else assert(0); } /********************************************* * Get the code unit at index i * Params: * i = index * Returns: * code unit at index i */ final dchar getCodeUnit(size_t i) const pure { assert(i < len); final switch (sz) { case 1: return string[i]; case 2: return wstring[i]; case 4: return dstring[i]; } } /********************************************* * Set the code unit at index i to c * Params: * i = index * c = code unit to set it to */ final void setCodeUnit(size_t i, dchar c) { assert(i < len); final switch (sz) { case 1: string[i] = cast(char)c; break; case 2: wstring[i] = cast(wchar)c; break; case 4: dstring[i] = c; break; } } /************************************************** * If the string data is UTF-8 and can be accessed directly, * return a pointer to it. * Do not assume a terminating 0. * Returns: * pointer to string data if possible, null if not */ char* toPtr() { return (sz == 1) ? string : null; } override StringExp toStringExp() { return this; } /**************************************** * Convert string to char[]. */ StringExp toUTF8(Scope* sc) { if (sz != 1) { // Convert to UTF-8 string committed = 0; Expression e = castTo(sc, Type.tchar.arrayOf()); e = e.optimize(WANTvalue); assert(e.op == TOKstring); StringExp se = cast(StringExp)e; assert(se.sz == 1); return se; } return this; } override int compare(RootObject obj) { //printf("StringExp::compare()\n"); // Used to sort case statement expressions so we can do an efficient lookup StringExp se2 = cast(StringExp)obj; // This is a kludge so isExpression() in template.c will return 5 // for StringExp's. if (!se2) return 5; assert(se2.op == TOKstring); size_t len1 = len; size_t len2 = se2.len; //printf("sz = %d, len1 = %d, len2 = %d\n", sz, (int)len1, (int)len2); if (len1 == len2) { switch (sz) { case 1: return memcmp(string, se2.string, len1); case 2: { wchar* s1 = cast(wchar*)string; wchar* s2 = cast(wchar*)se2.string; for (size_t u = 0; u < len; u++) { if (s1[u] != s2[u]) return s1[u] - s2[u]; } } break; case 4: { dchar* s1 = cast(dchar*)string; dchar* s2 = cast(dchar*)se2.string; for (size_t u = 0; u < len; u++) { if (s1[u] != s2[u]) return s1[u] - s2[u]; } } break; default: assert(0); } } return cast(int)(len1 - len2); } override bool isBool(bool result) { return result ? true : false; } override bool isLvalue() { /* string literal is rvalue in default, but * conversion to reference of static array is only allowed. */ return (type && type.toBasetype().ty == Tsarray); } override Expression toLvalue(Scope* sc, Expression e) { //printf("StringExp::toLvalue(%s) type = %s\n", toChars(), type ? type.toChars() : NULL); return (type && type.toBasetype().ty == Tsarray) ? this : Expression.toLvalue(sc, e); } override Expression modifiableLvalue(Scope* sc, Expression e) { error("cannot modify string literal %s", toChars()); return new ErrorExp(); } uint charAt(uinteger_t i) const { uint value; switch (sz) { case 1: value = (cast(char*)string)[cast(size_t)i]; break; case 2: value = (cast(ushort*)string)[cast(size_t)i]; break; case 4: value = (cast(uint*)string)[cast(size_t)i]; break; default: assert(0); } return value; } /******************************** * Convert string contents to a 0 terminated string, * allocated by mem.xmalloc(). */ extern (D) final const(char)[] toStringz() const { auto nbytes = len * sz; char* s = cast(char*)mem.xmalloc(nbytes + sz); writeTo(s, true); return s[0 .. nbytes]; } extern (D) const(char)[] peekSlice() const { assert(sz == 1); return this.string[0 .. len]; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TupleExp : Expression { /* Tuple-field access may need to take out its side effect part. * For example: * foo().tupleof * is rewritten as: * (ref __tup = foo(); tuple(__tup.field0, __tup.field1, ...)) * The declaration of temporary variable __tup will be stored in TupleExp.e0. */ Expression e0; Expressions* exps; extern (D) this(Loc loc, Expression e0, Expressions* exps) { super(loc, TOKtuple, __traits(classInstanceSize, TupleExp)); //printf("TupleExp(this = %p)\n", this); this.e0 = e0; this.exps = exps; } extern (D) this(Loc loc, Expressions* exps) { super(loc, TOKtuple, __traits(classInstanceSize, TupleExp)); //printf("TupleExp(this = %p)\n", this); this.exps = exps; } extern (D) this(Loc loc, TupleDeclaration tup) { super(loc, TOKtuple, __traits(classInstanceSize, TupleExp)); this.exps = new Expressions(); this.exps.reserve(tup.objects.dim); for (size_t i = 0; i < tup.objects.dim; i++) { RootObject o = (*tup.objects)[i]; if (Dsymbol s = getDsymbol(o)) { /* If tuple element represents a symbol, translate to DsymbolExp * to supply implicit 'this' if needed later. */ Expression e = new DsymbolExp(loc, s); this.exps.push(e); } else if (o.dyncast() == DYNCAST.expression) { auto e = (cast(Expression)o).copy(); e.loc = loc; // https://issues.dlang.org/show_bug.cgi?id=15669 this.exps.push(e); } else if (o.dyncast() == DYNCAST.type) { Type t = cast(Type)o; Expression e = new TypeExp(loc, t); this.exps.push(e); } else { error("%s is not an expression", o.toChars()); } } } override Expression syntaxCopy() { return new TupleExp(loc, e0 ? e0.syntaxCopy() : null, arraySyntaxCopy(exps)); } override bool equals(RootObject o) { if (this == o) return true; if ((cast(Expression)o).op == TOKtuple) { TupleExp te = cast(TupleExp)o; if (exps.dim != te.exps.dim) return false; if (e0 && !e0.equals(te.e0) || !e0 && te.e0) return false; for (size_t i = 0; i < exps.dim; i++) { Expression e1 = (*exps)[i]; Expression e2 = (*te.exps)[i]; if (!e1.equals(e2)) return false; } return true; } return false; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * [ e1, e2, e3, ... ] * * http://dlang.org/spec/expression.html#array_literals */ extern (C++) final class ArrayLiteralExp : Expression { /** If !is null, elements[] can be sparse and basis is used for the * "default" element value. In other words, non-null elements[i] overrides * this 'basis' value. */ Expression basis; Expressions* elements; OwnedBy ownedByCtfe = OWNEDcode; extern (D) this(Loc loc, Expressions* elements) { super(loc, TOKarrayliteral, __traits(classInstanceSize, ArrayLiteralExp)); this.elements = elements; } extern (D) this(Loc loc, Expression e) { super(loc, TOKarrayliteral, __traits(classInstanceSize, ArrayLiteralExp)); elements = new Expressions(); elements.push(e); } extern (D) this(Loc loc, Expression basis, Expressions* elements) { super(loc, TOKarrayliteral, __traits(classInstanceSize, ArrayLiteralExp)); this.basis = basis; this.elements = elements; } static ArrayLiteralExp create(Loc loc, Expressions* elements) { return new ArrayLiteralExp(loc, elements); } override Expression syntaxCopy() { return new ArrayLiteralExp(loc, basis ? basis.syntaxCopy() : null, arraySyntaxCopy(elements)); } override bool equals(RootObject o) { if (this == o) return true; if (o && o.dyncast() == DYNCAST.expression && (cast(Expression)o).op == TOKarrayliteral) { ArrayLiteralExp ae = cast(ArrayLiteralExp)o; if (elements.dim != ae.elements.dim) return false; if (elements.dim == 0 && !type.equals(ae.type)) { return false; } for (size_t i = 0; i < elements.dim; i++) { Expression e1 = (*elements)[i]; Expression e2 = (*ae.elements)[i]; if (!e1) e1 = basis; if (!e2) e2 = ae.basis; if (e1 != e2 && (!e1 || !e2 || !e1.equals(e2))) return false; } return true; } return false; } final Expression getElement(size_t i) { auto el = (*elements)[i]; if (!el) el = basis; return el; } /** Copy element `Expressions` in the parameters when they're `ArrayLiteralExp`s. * Params: * e1 = If it's ArrayLiteralExp, its `elements` will be copied. * Otherwise, `e1` itself will be pushed into the new `Expressions`. * e2 = If it's not `null`, it will be pushed/appended to the new * `Expressions` by the same way with `e1`. * Returns: * Newly allocated `Expressions`. Note that it points to the original * `Expression` values in e1 and e2. */ static Expressions* copyElements(Expression e1, Expression e2 = null) { auto elems = new Expressions(); void append(ArrayLiteralExp ale) { if (!ale.elements) return; auto d = elems.dim; elems.append(ale.elements); foreach (ref el; (*elems)[][d .. elems.dim]) { if (!el) el = ale.basis; } } if (e1.op == TOKarrayliteral) append(cast(ArrayLiteralExp)e1); else elems.push(e1); if (e2) { if (e2.op == TOKarrayliteral) append(cast(ArrayLiteralExp)e2); else elems.push(e2); } return elems; } override bool isBool(bool result) { size_t dim = elements ? elements.dim : 0; return result ? (dim != 0) : (dim == 0); } override StringExp toStringExp() { TY telem = type.nextOf().toBasetype().ty; if (telem == Tchar || telem == Twchar || telem == Tdchar || (telem == Tvoid && (!elements || elements.dim == 0))) { ubyte sz = 1; if (telem == Twchar) sz = 2; else if (telem == Tdchar) sz = 4; OutBuffer buf; if (elements) { for (size_t i = 0; i < elements.dim; ++i) { auto ch = getElement(i); if (ch.op != TOKint64) return null; if (sz == 1) buf.writeByte(cast(uint)ch.toInteger()); else if (sz == 2) buf.writeword(cast(uint)ch.toInteger()); else buf.write4(cast(uint)ch.toInteger()); } } char prefix; if (sz == 1) { prefix = 'c'; buf.writeByte(0); } else if (sz == 2) { prefix = 'w'; buf.writeword(0); } else { prefix = 'd'; buf.write4(0); } const(size_t) len = buf.offset / sz - 1; auto se = new StringExp(loc, buf.extractData(), len, prefix); se.sz = sz; se.type = type; return se; } return null; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * [ key0 : value0, key1 : value1, ... ] * * http://dlang.org/spec/expression.html#associative_array_literals */ extern (C++) final class AssocArrayLiteralExp : Expression { Expressions* keys; Expressions* values; OwnedBy ownedByCtfe = OWNEDcode; extern (D) this(Loc loc, Expressions* keys, Expressions* values) { super(loc, TOKassocarrayliteral, __traits(classInstanceSize, AssocArrayLiteralExp)); assert(keys.dim == values.dim); this.keys = keys; this.values = values; } override bool equals(RootObject o) { if (this == o) return true; if (o && o.dyncast() == DYNCAST.expression && (cast(Expression)o).op == TOKassocarrayliteral) { AssocArrayLiteralExp ae = cast(AssocArrayLiteralExp)o; if (keys.dim != ae.keys.dim) return false; size_t count = 0; for (size_t i = 0; i < keys.dim; i++) { for (size_t j = 0; j < ae.keys.dim; j++) { if ((*keys)[i].equals((*ae.keys)[j])) { if (!(*values)[i].equals((*ae.values)[j])) return false; ++count; } } } return count == keys.dim; } return false; } override Expression syntaxCopy() { return new AssocArrayLiteralExp(loc, arraySyntaxCopy(keys), arraySyntaxCopy(values)); } override bool isBool(bool result) { size_t dim = keys.dim; return result ? (dim != 0) : (dim == 0); } override void accept(Visitor v) { v.visit(this); } } enum stageScrub = 0x1; /// scrubReturnValue is running enum stageSearchPointers = 0x2; /// hasNonConstPointers is running enum stageOptimize = 0x4; /// optimize is running enum stageApply = 0x8; /// apply is running enum stageInlineScan = 0x10; /// inlineScan is running enum stageToCBuffer = 0x20; /// toCBuffer is running /*********************************************************** * sd( e1, e2, e3, ... ) */ extern (C++) final class StructLiteralExp : Expression { StructDeclaration sd; /// which aggregate this is for Expressions* elements; /// parallels sd.fields[] with null entries for fields to skip Type stype; /// final type of result (can be different from sd's type) bool useStaticInit; /// if this is true, use the StructDeclaration's init symbol Symbol* sym; /// back end symbol to initialize with literal OwnedBy ownedByCtfe = OWNEDcode; /** pointer to the origin instance of the expression. * once a new expression is created, origin is set to 'this'. * anytime when an expression copy is created, 'origin' pointer is set to * 'origin' pointer value of the original expression. */ StructLiteralExp origin; /// those fields need to prevent a infinite recursion when one field of struct initialized with 'this' pointer. StructLiteralExp inlinecopy; /** anytime when recursive function is calling, 'stageflags' marks with bit flag of * current stage and unmarks before return from this function. * 'inlinecopy' uses similar 'stageflags' and from multiple evaluation 'doInline' * (with infinite recursion) of this expression. */ int stageflags; extern (D) this(Loc loc, StructDeclaration sd, Expressions* elements, Type stype = null) { super(loc, TOKstructliteral, __traits(classInstanceSize, StructLiteralExp)); this.sd = sd; if (!elements) elements = new Expressions(); this.elements = elements; this.stype = stype; this.origin = this; //printf("StructLiteralExp::StructLiteralExp(%s)\n", toChars()); } static StructLiteralExp create(Loc loc, StructDeclaration sd, void* elements, Type stype = null) { return new StructLiteralExp(loc, sd, cast(Expressions*)elements, stype); } override bool equals(RootObject o) { if (this == o) return true; if (o && o.dyncast() == DYNCAST.expression && (cast(Expression)o).op == TOKstructliteral) { StructLiteralExp se = cast(StructLiteralExp)o; if (!type.equals(se.type)) return false; if (elements.dim != se.elements.dim) return false; for (size_t i = 0; i < elements.dim; i++) { Expression e1 = (*elements)[i]; Expression e2 = (*se.elements)[i]; if (e1 != e2 && (!e1 || !e2 || !e1.equals(e2))) return false; } return true; } return false; } override Expression syntaxCopy() { auto exp = new StructLiteralExp(loc, sd, arraySyntaxCopy(elements), type ? type : stype); exp.origin = this; return exp; } /************************************** * Gets expression at offset of type. * Returns NULL if not found. */ Expression getField(Type type, uint offset) { //printf("StructLiteralExp::getField(this = %s, type = %s, offset = %u)\n", // /*toChars()*/"", type.toChars(), offset); Expression e = null; int i = getFieldIndex(type, offset); if (i != -1) { //printf("\ti = %d\n", i); if (i == sd.fields.dim - 1 && sd.isNested()) return null; assert(i < elements.dim); e = (*elements)[i]; if (e) { //printf("e = %s, e.type = %s\n", e.toChars(), e.type.toChars()); /* If type is a static array, and e is an initializer for that array, * then the field initializer should be an array literal of e. */ if (e.type.castMod(0) != type.castMod(0) && type.ty == Tsarray) { TypeSArray tsa = cast(TypeSArray)type; size_t length = cast(size_t)tsa.dim.toInteger(); auto z = new Expressions(); z.setDim(length); for (size_t q = 0; q < length; ++q) (*z)[q] = e.copy(); e = new ArrayLiteralExp(loc, z); e.type = type; } else { e = e.copy(); e.type = type; } if (useStaticInit && e.op == TOKstructliteral && e.type.needsNested()) { StructLiteralExp se = cast(StructLiteralExp)e; se.useStaticInit = true; } } } return e; } /************************************ * Get index of field. * Returns -1 if not found. */ int getFieldIndex(Type type, uint offset) { /* Find which field offset is by looking at the field offsets */ if (elements.dim) { for (size_t i = 0; i < sd.fields.dim; i++) { VarDeclaration v = sd.fields[i]; if (offset == v.offset && type.size() == v.type.size()) { /* context field might not be filled. */ if (i == sd.fields.dim - 1 && sd.isNested()) return cast(int)i; Expression e = (*elements)[i]; if (e) { return cast(int)i; } break; } } } return -1; } override Expression addDtorHook(Scope* sc) { /* If struct requires a destructor, rewrite as: * (S tmp = S()),tmp * so that the destructor can be hung on tmp. */ if (sd.dtor && sc.func) { /* Make an identifier for the temporary of the form: * __sl%s%d, where %s is the struct name */ const(size_t) len = 10; char[len + 1] buf; buf[len] = 0; strcpy(buf.ptr, "__sl"); strncat(buf.ptr, sd.ident.toChars(), len - 4 - 1); assert(buf[len] == 0); auto tmp = copyToTemp(0, buf.ptr, this); Expression ae = new DeclarationExp(loc, tmp); Expression e = new CommaExp(loc, ae, new VarExp(loc, tmp)); e = e.semantic(sc); return e; } return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Mainly just a placeholder */ extern (C++) final class TypeExp : Expression { extern (D) this(Loc loc, Type type) { super(loc, TOKtype, __traits(classInstanceSize, TypeExp)); //printf("TypeExp::TypeExp(%s)\n", type.toChars()); this.type = type; } override Expression syntaxCopy() { return new TypeExp(loc, type.syntaxCopy()); } override bool checkType() { error("type %s is not an expression", toChars()); return true; } override bool checkValue() { error("type %s has no value", toChars()); return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Mainly just a placeholder of * Package, Module, Nspace, and TemplateInstance (including TemplateMixin) * * A template instance that requires IFTI: * foo!tiargs(fargs) // foo!tiargs * is left until CallExp::semantic() or resolveProperties() */ extern (C++) final class ScopeExp : Expression { ScopeDsymbol sds; extern (D) this(Loc loc, ScopeDsymbol sds) { super(loc, TOKscope, __traits(classInstanceSize, ScopeExp)); //printf("ScopeExp::ScopeExp(sds = '%s')\n", sds.toChars()); //static int count; if (++count == 38) *(char*)0=0; this.sds = sds; assert(!sds.isTemplateDeclaration()); // instead, you should use TemplateExp } override Expression syntaxCopy() { return new ScopeExp(loc, cast(ScopeDsymbol)sds.syntaxCopy(null)); } override bool checkType() { if (sds.isPackage()) { error("%s %s has no type", sds.kind(), sds.toChars()); return true; } if (auto ti = sds.isTemplateInstance()) { //assert(ti.needsTypeInference(sc)); if (ti.tempdecl && ti.semantictiargsdone && ti.semanticRun == PASSinit) { error("partial %s %s has no type", sds.kind(), toChars()); return true; } } return false; } override bool checkValue() { error("%s %s has no value", sds.kind(), sds.toChars()); return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Mainly just a placeholder */ extern (C++) final class TemplateExp : Expression { TemplateDeclaration td; FuncDeclaration fd; extern (D) this(Loc loc, TemplateDeclaration td, FuncDeclaration fd = null) { super(loc, TOKtemplate, __traits(classInstanceSize, TemplateExp)); //printf("TemplateExp(): %s\n", td.toChars()); this.td = td; this.fd = fd; } override bool isLvalue() { return fd !is null; } override Expression toLvalue(Scope* sc, Expression e) { if (!fd) return Expression.toLvalue(sc, e); assert(sc); return resolve(loc, sc, fd, true); } override bool checkType() { error("%s %s has no type", td.kind(), toChars()); return true; } override bool checkValue() { error("%s %s has no value", td.kind(), toChars()); return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * thisexp.new(newargs) newtype(arguments) */ extern (C++) final class NewExp : Expression { Expression thisexp; // if !=null, 'this' for class being allocated Expressions* newargs; // Array of Expression's to call new operator Type newtype; Expressions* arguments; // Array of Expression's Expression argprefix; // expression to be evaluated just before arguments[] CtorDeclaration member; // constructor function NewDeclaration allocator; // allocator function int onstack; // allocate on stack extern (D) this(Loc loc, Expression thisexp, Expressions* newargs, Type newtype, Expressions* arguments) { super(loc, TOKnew, __traits(classInstanceSize, NewExp)); this.thisexp = thisexp; this.newargs = newargs; this.newtype = newtype; this.arguments = arguments; } static NewExp create(Loc loc, Expression thisexp, Expressions* newargs, Type newtype, Expressions* arguments) { return new NewExp(loc, thisexp, newargs, newtype, arguments); } override Expression syntaxCopy() { return new NewExp(loc, thisexp ? thisexp.syntaxCopy() : null, arraySyntaxCopy(newargs), newtype.syntaxCopy(), arraySyntaxCopy(arguments)); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * thisexp.new(newargs) class baseclasses { } (arguments) */ extern (C++) final class NewAnonClassExp : Expression { Expression thisexp; // if !=null, 'this' for class being allocated Expressions* newargs; // Array of Expression's to call new operator ClassDeclaration cd; // class being instantiated Expressions* arguments; // Array of Expression's to call class constructor extern (D) this(Loc loc, Expression thisexp, Expressions* newargs, ClassDeclaration cd, Expressions* arguments) { super(loc, TOKnewanonclass, __traits(classInstanceSize, NewAnonClassExp)); this.thisexp = thisexp; this.newargs = newargs; this.cd = cd; this.arguments = arguments; } override Expression syntaxCopy() { return new NewAnonClassExp(loc, thisexp ? thisexp.syntaxCopy() : null, arraySyntaxCopy(newargs), cast(ClassDeclaration)cd.syntaxCopy(null), arraySyntaxCopy(arguments)); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) class SymbolExp : Expression { Declaration var; bool hasOverloads; final extern (D) this(Loc loc, TOK op, int size, Declaration var, bool hasOverloads) { super(loc, op, size); assert(var); this.var = var; this.hasOverloads = hasOverloads; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Offset from symbol */ extern (C++) final class SymOffExp : SymbolExp { dinteger_t offset; extern (D) this(Loc loc, Declaration var, dinteger_t offset, bool hasOverloads = true) { if (auto v = var.isVarDeclaration()) { // FIXME: This error report will never be handled anyone. // It should be done before the SymOffExp construction. if (v.needThis()) .error(loc, "need 'this' for address of %s", v.toChars()); hasOverloads = false; } super(loc, TOKsymoff, __traits(classInstanceSize, SymOffExp), var, hasOverloads); this.offset = offset; } override bool isBool(bool result) { return result ? true : false; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Variable */ extern (C++) final class VarExp : SymbolExp { extern (D) this(Loc loc, Declaration var, bool hasOverloads = true) { if (var.isVarDeclaration()) hasOverloads = false; super(loc, TOKvar, __traits(classInstanceSize, VarExp), var, hasOverloads); //printf("VarExp(this = %p, '%s', loc = %s)\n", this, var.toChars(), loc.toChars()); //if (strcmp(var.ident.toChars(), "func") == 0) assert(0); this.type = var.type; } static VarExp create(Loc loc, Declaration var, bool hasOverloads = true) { return new VarExp(loc, var, hasOverloads); } override bool equals(RootObject o) { if (this == o) return true; if ((cast(Expression)o).op == TOKvar) { VarExp ne = cast(VarExp)o; if (type.toHeadMutable().equals(ne.type.toHeadMutable()) && var == ne.var) { return true; } } return false; } override int checkModifiable(Scope* sc, int flag) { //printf("VarExp::checkModifiable %s", toChars()); assert(type); return var.checkModify(loc, sc, type, null, flag); } bool checkReadModifyWrite(); override bool isLvalue() { if (var.storage_class & (STClazy | STCrvalue | STCmanifest)) return false; return true; } override Expression toLvalue(Scope* sc, Expression e) { if (var.storage_class & STCmanifest) { error("manifest constant '%s' is not lvalue", var.toChars()); return new ErrorExp(); } if (var.storage_class & STClazy) { error("lazy variables cannot be lvalues"); return new ErrorExp(); } if (var.ident == Id.ctfe) { error("compiler-generated variable __ctfe is not an lvalue"); return new ErrorExp(); } if (var.ident == Id.dollar) // https://issues.dlang.org/show_bug.cgi?id=13574 { error("'$' is not an lvalue"); return new ErrorExp(); } return this; } override Expression modifiableLvalue(Scope* sc, Expression e) { //printf("VarExp::modifiableLvalue('%s')\n", var.toChars()); if (var.storage_class & STCmanifest) { error("cannot modify manifest constant '%s'", toChars()); return new ErrorExp(); } // See if this expression is a modifiable lvalue (i.e. not const) return Expression.modifiableLvalue(sc, e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Overload Set */ extern (C++) final class OverExp : Expression { OverloadSet vars; extern (D) this(Loc loc, OverloadSet s) { super(loc, TOKoverloadset, __traits(classInstanceSize, OverExp)); //printf("OverExp(this = %p, '%s')\n", this, var.toChars()); vars = s; type = Type.tvoid; } override bool isLvalue() { return true; } override Expression toLvalue(Scope* sc, Expression e) { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Function/Delegate literal */ extern (C++) final class FuncExp : Expression { FuncLiteralDeclaration fd; TemplateDeclaration td; TOK tok; extern (D) this(Loc loc, Dsymbol s) { super(loc, TOKfunction, __traits(classInstanceSize, FuncExp)); this.td = s.isTemplateDeclaration(); this.fd = s.isFuncLiteralDeclaration(); if (td) { assert(td.literal); assert(td.members && td.members.dim == 1); fd = (*td.members)[0].isFuncLiteralDeclaration(); } tok = fd.tok; // save original kind of function/delegate/(infer) assert(fd.fbody); } override bool equals(RootObject o) { if (this == o) return true; if (o.dyncast() != DYNCAST.expression) return false; if ((cast(Expression)o).op == TOKfunction) { FuncExp fe = cast(FuncExp)o; return fd == fe.fd; } return false; } void genIdent(Scope* sc) { if (fd.ident == Id.empty) { const(char)* s; if (fd.fes) s = "__foreachbody"; else if (fd.tok == TOKreserved) s = "__lambda"; else if (fd.tok == TOKdelegate) s = "__dgliteral"; else s = "__funcliteral"; DsymbolTable symtab; if (FuncDeclaration func = sc.parent.isFuncDeclaration()) { if (func.localsymtab is null) { // Inside template constraint, symtab is not set yet. // Initialize it lazily. func.localsymtab = new DsymbolTable(); } symtab = func.localsymtab; } else { ScopeDsymbol sds = sc.parent.isScopeDsymbol(); if (!sds.symtab) { // Inside template constraint, symtab may not be set yet. // Initialize it lazily. assert(sds.isTemplateInstance()); sds.symtab = new DsymbolTable(); } symtab = sds.symtab; } assert(symtab); Identifier id = Identifier.generateId(s, symtab.len() + 1); fd.ident = id; if (td) td.ident = id; symtab.insert(td ? cast(Dsymbol)td : cast(Dsymbol)fd); } } override Expression syntaxCopy() { if (td) return new FuncExp(loc, td.syntaxCopy(null)); else if (fd.semanticRun == PASSinit) return new FuncExp(loc, fd.syntaxCopy(null)); else // https://issues.dlang.org/show_bug.cgi?id=13481 // Prevent multiple semantic analysis of lambda body. return new FuncExp(loc, fd); } MATCH matchType(Type to, Scope* sc, FuncExp* presult, int flag = 0) { //printf("FuncExp::matchType('%s'), to=%s\n", type ? type.toChars() : "null", to.toChars()); if (presult) *presult = null; TypeFunction tof = null; if (to.ty == Tdelegate) { if (tok == TOKfunction) { if (!flag) error("cannot match function literal to delegate type '%s'", to.toChars()); return MATCHnomatch; } tof = cast(TypeFunction)to.nextOf(); } else if (to.ty == Tpointer && to.nextOf().ty == Tfunction) { if (tok == TOKdelegate) { if (!flag) error("cannot match delegate literal to function pointer type '%s'", to.toChars()); return MATCHnomatch; } tof = cast(TypeFunction)to.nextOf(); } if (td) { if (!tof) { L1: if (!flag) error("cannot infer parameter types from %s", to.toChars()); return MATCHnomatch; } // Parameter types inference from 'tof' assert(td._scope); TypeFunction tf = cast(TypeFunction)fd.type; //printf("\ttof = %s\n", tof.toChars()); //printf("\ttf = %s\n", tf.toChars()); size_t dim = Parameter.dim(tf.parameters); if (Parameter.dim(tof.parameters) != dim || tof.varargs != tf.varargs) goto L1; auto tiargs = new Objects(); tiargs.reserve(td.parameters.dim); for (size_t i = 0; i < td.parameters.dim; i++) { TemplateParameter tp = (*td.parameters)[i]; size_t u = 0; for (; u < dim; u++) { Parameter p = Parameter.getNth(tf.parameters, u); if (p.type.ty == Tident && (cast(TypeIdentifier)p.type).ident == tp.ident) { break; } } assert(u < dim); Parameter pto = Parameter.getNth(tof.parameters, u); Type t = pto.type; if (t.ty == Terror) goto L1; tiargs.push(t); } // Set target of return type inference if (!tf.next && tof.next) fd.treq = to; auto ti = new TemplateInstance(loc, td, tiargs); Expression ex = (new ScopeExp(loc, ti)).semantic(td._scope); // Reset inference target for the later re-semantic fd.treq = null; if (ex.op == TOKerror) return MATCHnomatch; if (ex.op != TOKfunction) goto L1; return (cast(FuncExp)ex).matchType(to, sc, presult, flag); } if (!tof || !tof.next) return MATCHnomatch; assert(type && type != Type.tvoid); TypeFunction tfx = cast(TypeFunction)fd.type; bool convertMatch = (type.ty != to.ty); if (fd.inferRetType && tfx.next.implicitConvTo(tof.next) == MATCHconvert) { /* If return type is inferred and covariant return, * tweak return statements to required return type. * * interface I {} * class C : Object, I{} * * I delegate() dg = delegate() { return new class C(); } */ convertMatch = true; auto tfy = new TypeFunction(tfx.parameters, tof.next, tfx.varargs, tfx.linkage, STCundefined); tfy.mod = tfx.mod; tfy.isnothrow = tfx.isnothrow; tfy.isnogc = tfx.isnogc; tfy.purity = tfx.purity; tfy.isproperty = tfx.isproperty; tfy.isref = tfx.isref; tfy.iswild = tfx.iswild; tfy.deco = tfy.merge().deco; tfx = tfy; } Type tx; if (tok == TOKdelegate || tok == TOKreserved && (type.ty == Tdelegate || type.ty == Tpointer && to.ty == Tdelegate)) { // Allow conversion from implicit function pointer to delegate tx = new TypeDelegate(tfx); tx.deco = tx.merge().deco; } else { assert(tok == TOKfunction || tok == TOKreserved && type.ty == Tpointer); tx = tfx.pointerTo(); } //printf("\ttx = %s, to = %s\n", tx.toChars(), to.toChars()); MATCH m = tx.implicitConvTo(to); if (m > MATCHnomatch) { // MATCHexact: exact type match // MATCHconst: covairiant type match (eg. attributes difference) // MATCHconvert: context conversion m = convertMatch ? MATCHconvert : tx.equals(to) ? MATCHexact : MATCHconst; if (presult) { (*presult) = cast(FuncExp)copy(); (*presult).type = to; // https://issues.dlang.org/show_bug.cgi?id=12508 // Tweak function body for covariant returns. (*presult).fd.modifyReturns(sc, tof.next); } } else if (!flag) { error("cannot implicitly convert expression `%s` of type `%s` to `%s`", toChars(), tx.toChars(), to.toChars()); } return m; } override const(char)* toChars() { return fd.toChars(); } override bool checkType() { if (td) { error("template lambda has no type"); return true; } return false; } override bool checkValue() { if (td) { error("template lambda has no value"); return true; } return false; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Declaration of a symbol * * D grammar allows declarations only as statements. However in AST representation * it can be part of any expression. This is used, for example, during internal * syntax re-writes to inject hidden symbols. */ extern (C++) final class DeclarationExp : Expression { Dsymbol declaration; extern (D) this(Loc loc, Dsymbol declaration) { super(loc, TOKdeclaration, __traits(classInstanceSize, DeclarationExp)); this.declaration = declaration; } override Expression syntaxCopy() { return new DeclarationExp(loc, declaration.syntaxCopy(null)); } override bool hasCode() { if (auto vd = declaration.isVarDeclaration()) { return !(vd.storage_class & (STCmanifest | STCstatic)); } return false; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * typeid(int) */ extern (C++) final class TypeidExp : Expression { RootObject obj; extern (D) this(Loc loc, RootObject o) { super(loc, TOKtypeid, __traits(classInstanceSize, TypeidExp)); this.obj = o; } override Expression syntaxCopy() { return new TypeidExp(loc, objectSyntaxCopy(obj)); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * __traits(identifier, args...) */ extern (C++) final class TraitsExp : Expression { Identifier ident; Objects* args; extern (D) this(Loc loc, Identifier ident, Objects* args) { super(loc, TOKtraits, __traits(classInstanceSize, TraitsExp)); this.ident = ident; this.args = args; } override Expression syntaxCopy() { return new TraitsExp(loc, ident, TemplateInstance.arraySyntaxCopy(args)); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class HaltExp : Expression { extern (D) this(Loc loc) { super(loc, TOKhalt, __traits(classInstanceSize, HaltExp)); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * is(targ id tok tspec) * is(targ id == tok2) */ extern (C++) final class IsExp : Expression { Type targ; Identifier id; // can be null TOK tok; // ':' or '==' Type tspec; // can be null TOK tok2; // 'struct', 'union', etc. TemplateParameters* parameters; extern (D) this(Loc loc, Type targ, Identifier id, TOK tok, Type tspec, TOK tok2, TemplateParameters* parameters) { super(loc, TOKis, __traits(classInstanceSize, IsExp)); this.targ = targ; this.id = id; this.tok = tok; this.tspec = tspec; this.tok2 = tok2; this.parameters = parameters; } override Expression syntaxCopy() { // This section is identical to that in TemplateDeclaration::syntaxCopy() TemplateParameters* p = null; if (parameters) { p = new TemplateParameters(); p.setDim(parameters.dim); for (size_t i = 0; i < p.dim; i++) (*p)[i] = (*parameters)[i].syntaxCopy(); } return new IsExp(loc, targ.syntaxCopy(), id, tok, tspec ? tspec.syntaxCopy() : null, tok2, p); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) class UnaExp : Expression { Expression e1; Type att1; // Save alias this type to detect recursion final extern (D) this(Loc loc, TOK op, int size, Expression e1) { super(loc, op, size); this.e1 = e1; } override Expression syntaxCopy() { UnaExp e = cast(UnaExp)copy(); e.type = null; e.e1 = e.e1.syntaxCopy(); return e; } /******************************** * The type for a unary expression is incompatible. * Print error message. * Returns: * ErrorExp */ final Expression incompatibleTypes() { if (e1.type.toBasetype() == Type.terror) return e1; if (e1.op == TOKtype) { error("incompatible type for (%s(%s)): cannot use '%s' with types", Token.toChars(op), e1.toChars(), Token.toChars(op)); } else { error("incompatible type for (%s(%s)): '%s'", Token.toChars(op), e1.toChars(), e1.type.toChars()); } return new ErrorExp(); } /********************* * Mark the operand as will never be dereferenced, * which is useful info for @safe checks. * Do before semantic() on operands rewrites them. */ final void setNoderefOperand() { if (e1.op == TOKdotid) (cast(DotIdExp)e1).noderef = true; } override final Expression resolveLoc(Loc loc, Scope* sc) { e1 = e1.resolveLoc(loc, sc); return this; } override void accept(Visitor v) { v.visit(this); } } extern (C++) alias fp_t = UnionExp function(Loc loc, Type, Expression, Expression); extern (C++) alias fp2_t = int function(Loc loc, TOK, Expression, Expression); /*********************************************************** */ extern (C++) abstract class BinExp : Expression { Expression e1; Expression e2; Type att1; // Save alias this type to detect recursion Type att2; // Save alias this type to detect recursion final extern (D) this(Loc loc, TOK op, int size, Expression e1, Expression e2) { super(loc, op, size); this.e1 = e1; this.e2 = e2; } override Expression syntaxCopy() { BinExp e = cast(BinExp)copy(); e.type = null; e.e1 = e.e1.syntaxCopy(); e.e2 = e.e2.syntaxCopy(); return e; } /******************************** * The types for a binary expression are incompatible. * Print error message. * Returns: * ErrorExp */ final Expression incompatibleTypes() { if (e1.type.toBasetype() == Type.terror) return e1; if (e2.type.toBasetype() == Type.terror) return e2; // CondExp uses 'a ? b : c' but we're comparing 'b : c' TOK thisOp = (op == TOKquestion) ? TOKcolon : op; if (e1.op == TOKtype || e2.op == TOKtype) { error("incompatible types for ((%s) %s (%s)): cannot use '%s' with types", e1.toChars(), Token.toChars(thisOp), e2.toChars(), Token.toChars(op)); } else { error("incompatible types for ((%s) %s (%s)): '%s' and '%s'", e1.toChars(), Token.toChars(thisOp), e2.toChars(), e1.type.toChars(), e2.type.toChars()); } return new ErrorExp(); } final Expression checkOpAssignTypes(Scope* sc) { // At that point t1 and t2 are the merged types. type is the original type of the lhs. Type t1 = e1.type; Type t2 = e2.type; // T opAssign floating yields a floating. Prevent truncating conversions (float to int). // See issue 3841. // Should we also prevent double to float (type.isfloating() && type.size() < t2.size()) ? if (op == TOKaddass || op == TOKminass || op == TOKmulass || op == TOKdivass || op == TOKmodass || op == TOKpowass) { if ((type.isintegral() && t2.isfloating())) { warning("%s %s %s is performing truncating conversion", type.toChars(), Token.toChars(op), t2.toChars()); } } // generate an error if this is a nonsensical *=,/=, or %=, eg real *= imaginary if (op == TOKmulass || op == TOKdivass || op == TOKmodass) { // Any multiplication by an imaginary or complex number yields a complex result. // r *= c, i*=c, r*=i, i*=i are all forbidden operations. const(char)* opstr = Token.toChars(op); if (t1.isreal() && t2.iscomplex()) { error("%s %s %s is undefined. Did you mean %s %s %s.re ?", t1.toChars(), opstr, t2.toChars(), t1.toChars(), opstr, t2.toChars()); return new ErrorExp(); } else if (t1.isimaginary() && t2.iscomplex()) { error("%s %s %s is undefined. Did you mean %s %s %s.im ?", t1.toChars(), opstr, t2.toChars(), t1.toChars(), opstr, t2.toChars()); return new ErrorExp(); } else if ((t1.isreal() || t1.isimaginary()) && t2.isimaginary()) { error("%s %s %s is an undefined operation", t1.toChars(), opstr, t2.toChars()); return new ErrorExp(); } } // generate an error if this is a nonsensical += or -=, eg real += imaginary if (op == TOKaddass || op == TOKminass) { // Addition or subtraction of a real and an imaginary is a complex result. // Thus, r+=i, r+=c, i+=r, i+=c are all forbidden operations. if ((t1.isreal() && (t2.isimaginary() || t2.iscomplex())) || (t1.isimaginary() && (t2.isreal() || t2.iscomplex()))) { error("%s %s %s is undefined (result is complex)", t1.toChars(), Token.toChars(op), t2.toChars()); return new ErrorExp(); } if (type.isreal() || type.isimaginary()) { assert(global.errors || t2.isfloating()); e2 = e2.castTo(sc, t1); } } if (op == TOKmulass) { if (t2.isfloating()) { if (t1.isreal()) { if (t2.isimaginary() || t2.iscomplex()) { e2 = e2.castTo(sc, t1); } } else if (t1.isimaginary()) { if (t2.isimaginary() || t2.iscomplex()) { switch (t1.ty) { case Timaginary32: t2 = Type.tfloat32; break; case Timaginary64: t2 = Type.tfloat64; break; case Timaginary80: t2 = Type.tfloat80; break; default: assert(0); } e2 = e2.castTo(sc, t2); } } } } else if (op == TOKdivass) { if (t2.isimaginary()) { if (t1.isreal()) { // x/iv = i(-x/v) // Therefore, the result is 0 e2 = new CommaExp(loc, e2, new RealExp(loc, CTFloat.zero, t1)); e2.type = t1; Expression e = new AssignExp(loc, e1, e2); e.type = t1; return e; } else if (t1.isimaginary()) { Type t3; switch (t1.ty) { case Timaginary32: t3 = Type.tfloat32; break; case Timaginary64: t3 = Type.tfloat64; break; case Timaginary80: t3 = Type.tfloat80; break; default: assert(0); } e2 = e2.castTo(sc, t3); Expression e = new AssignExp(loc, e1, e2); e.type = t1; return e; } } } else if (op == TOKmodass) { if (t2.iscomplex()) { error("cannot perform modulo complex arithmetic"); return new ErrorExp(); } } return this; } final bool checkIntegralBin() { bool r1 = e1.checkIntegral(); bool r2 = e2.checkIntegral(); return (r1 || r2); } final bool checkArithmeticBin() { bool r1 = e1.checkArithmetic(); bool r2 = e2.checkArithmetic(); return (r1 || r2); } /********************* * Mark the operands as will never be dereferenced, * which is useful info for @safe checks. * Do before semantic() on operands rewrites them. */ final void setNoderefOperands() { if (e1.op == TOKdotid) (cast(DotIdExp)e1).noderef = true; if (e2.op == TOKdotid) (cast(DotIdExp)e2).noderef = true; } final Expression reorderSettingAAElem(Scope* sc) { BinExp be = this; if (be.e1.op != TOKindex) return be; auto ie = cast(IndexExp)be.e1; if (ie.e1.type.toBasetype().ty != Taarray) return be; /* Fix evaluation order of setting AA element * https://issues.dlang.org/show_bug.cgi?id=3825 * Rewrite: * aa[k1][k2][k3] op= val; * as: * auto ref __aatmp = aa; * auto ref __aakey3 = k1, __aakey2 = k2, __aakey1 = k3; * auto ref __aaval = val; * __aatmp[__aakey3][__aakey2][__aakey1] op= __aaval; // assignment */ Expression e0; while (1) { Expression de; ie.e2 = extractSideEffect(sc, "__aakey", de, ie.e2); e0 = Expression.combine(de, e0); Expression ie1 = ie.e1; if (ie1.op != TOKindex || (cast(IndexExp)ie1).e1.type.toBasetype().ty != Taarray) { break; } ie = cast(IndexExp)ie1; } assert(ie.e1.type.toBasetype().ty == Taarray); Expression de; ie.e1 = extractSideEffect(sc, "__aatmp", de, ie.e1); e0 = Expression.combine(de, e0); be.e2 = extractSideEffect(sc, "__aaval", e0, be.e2, true); //printf("-e0 = %s, be = %s\n", e0.toChars(), be.toChars()); return Expression.combine(e0, be); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) class BinAssignExp : BinExp { final extern (D) this(Loc loc, TOK op, int size, Expression e1, Expression e2) { super(loc, op, size, e1, e2); } override final bool isLvalue() { return true; } override final Expression toLvalue(Scope* sc, Expression ex) { // Lvalue-ness will be handled in glue layer. return this; } override final Expression modifiableLvalue(Scope* sc, Expression e) { // should check e1.checkModifiable() ? return toLvalue(sc, this); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class CompileExp : UnaExp { extern (D) this(Loc loc, Expression e) { super(loc, TOKmixin, __traits(classInstanceSize, CompileExp), e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ImportExp : UnaExp { extern (D) this(Loc loc, Expression e) { super(loc, TOKimport, __traits(classInstanceSize, ImportExp), e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class AssertExp : UnaExp { Expression msg; extern (D) this(Loc loc, Expression e, Expression msg = null) { super(loc, TOKassert, __traits(classInstanceSize, AssertExp), e); this.msg = msg; } override Expression syntaxCopy() { return new AssertExp(loc, e1.syntaxCopy(), msg ? msg.syntaxCopy() : null); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DotIdExp : UnaExp { Identifier ident; bool noderef; // true if the result of the expression will never be dereferenced bool wantsym; // do not replace Symbol with its initializer during semantic() extern (D) this(Loc loc, Expression e, Identifier ident) { super(loc, TOKdotid, __traits(classInstanceSize, DotIdExp), e); this.ident = ident; } static DotIdExp create(Loc loc, Expression e, Identifier ident) { return new DotIdExp(loc, e, ident); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Mainly just a placeholder */ extern (C++) final class DotTemplateExp : UnaExp { TemplateDeclaration td; extern (D) this(Loc loc, Expression e, TemplateDeclaration td) { super(loc, TOKdottd, __traits(classInstanceSize, DotTemplateExp), e); this.td = td; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DotVarExp : UnaExp { Declaration var; bool hasOverloads; extern (D) this(Loc loc, Expression e, Declaration var, bool hasOverloads = true) { if (var.isVarDeclaration()) hasOverloads = false; super(loc, TOKdotvar, __traits(classInstanceSize, DotVarExp), e); //printf("DotVarExp()\n"); this.var = var; this.hasOverloads = hasOverloads; } override int checkModifiable(Scope* sc, int flag) { //printf("DotVarExp::checkModifiable %s %s\n", toChars(), type.toChars()); if (checkUnsafeAccess(sc, this, false, !flag)) return 2; if (e1.op == TOKthis) return var.checkModify(loc, sc, type, e1, flag); //printf("\te1 = %s\n", e1.toChars()); return e1.checkModifiable(sc, flag); } bool checkReadModifyWrite(); override bool isLvalue() { return true; } override Expression toLvalue(Scope* sc, Expression e) { //printf("DotVarExp::toLvalue(%s)\n", toChars()); return this; } override Expression modifiableLvalue(Scope* sc, Expression e) { version (none) { printf("DotVarExp::modifiableLvalue(%s)\n", toChars()); printf("e1.type = %s\n", e1.type.toChars()); printf("var.type = %s\n", var.type.toChars()); } return Expression.modifiableLvalue(sc, e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * foo.bar!(args) */ extern (C++) final class DotTemplateInstanceExp : UnaExp { TemplateInstance ti; extern (D) this(Loc loc, Expression e, Identifier name, Objects* tiargs) { super(loc, TOKdotti, __traits(classInstanceSize, DotTemplateInstanceExp), e); //printf("DotTemplateInstanceExp()\n"); this.ti = new TemplateInstance(loc, name, tiargs); } extern (D) this(Loc loc, Expression e, TemplateInstance ti) { super(loc, TOKdotti, __traits(classInstanceSize, DotTemplateInstanceExp), e); this.ti = ti; } override Expression syntaxCopy() { return new DotTemplateInstanceExp(loc, e1.syntaxCopy(), ti.name, TemplateInstance.arraySyntaxCopy(ti.tiargs)); } bool findTempDecl(Scope* sc) { static if (LOGSEMANTIC) { printf("DotTemplateInstanceExp::findTempDecl('%s')\n", toChars()); } if (ti.tempdecl) return true; Expression e = new DotIdExp(loc, e1, ti.name); e = e.semantic(sc); if (e.op == TOKdot) e = (cast(DotExp)e).e2; Dsymbol s = null; switch (e.op) { case TOKoverloadset: s = (cast(OverExp)e).vars; break; case TOKdottd: s = (cast(DotTemplateExp)e).td; break; case TOKscope: s = (cast(ScopeExp)e).sds; break; case TOKdotvar: s = (cast(DotVarExp)e).var; break; case TOKvar: s = (cast(VarExp)e).var; break; default: return false; } return ti.updateTempDecl(sc, s); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DelegateExp : UnaExp { FuncDeclaration func; bool hasOverloads; extern (D) this(Loc loc, Expression e, FuncDeclaration f, bool hasOverloads = true) { super(loc, TOKdelegate, __traits(classInstanceSize, DelegateExp), e); this.func = f; this.hasOverloads = hasOverloads; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DotTypeExp : UnaExp { Dsymbol sym; // symbol that represents a type extern (D) this(Loc loc, Expression e, Dsymbol s) { super(loc, TOKdottype, __traits(classInstanceSize, DotTypeExp), e); this.sym = s; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class CallExp : UnaExp { Expressions* arguments; // function arguments FuncDeclaration f; // symbol to call bool directcall; // true if a virtual call is devirtualized extern (D) this(Loc loc, Expression e, Expressions* exps) { super(loc, TOKcall, __traits(classInstanceSize, CallExp), e); this.arguments = exps; } extern (D) this(Loc loc, Expression e) { super(loc, TOKcall, __traits(classInstanceSize, CallExp), e); } extern (D) this(Loc loc, Expression e, Expression earg1) { super(loc, TOKcall, __traits(classInstanceSize, CallExp), e); auto arguments = new Expressions(); if (earg1) { arguments.setDim(1); (*arguments)[0] = earg1; } this.arguments = arguments; } extern (D) this(Loc loc, Expression e, Expression earg1, Expression earg2) { super(loc, TOKcall, __traits(classInstanceSize, CallExp), e); auto arguments = new Expressions(); arguments.setDim(2); (*arguments)[0] = earg1; (*arguments)[1] = earg2; this.arguments = arguments; } static CallExp create(Loc loc, Expression e, Expressions* exps) { return new CallExp(loc, e, exps); } static CallExp create(Loc loc, Expression e) { return new CallExp(loc, e); } static CallExp create(Loc loc, Expression e, Expression earg1) { return new CallExp(loc, e, earg1); } override Expression syntaxCopy() { return new CallExp(loc, e1.syntaxCopy(), arraySyntaxCopy(arguments)); } override bool isLvalue() { Type tb = e1.type.toBasetype(); if (tb.ty == Tdelegate || tb.ty == Tpointer) tb = tb.nextOf(); if (tb.ty == Tfunction && (cast(TypeFunction)tb).isref) { if (e1.op == TOKdotvar) if ((cast(DotVarExp)e1).var.isCtorDeclaration()) return false; return true; // function returns a reference } return false; } override Expression toLvalue(Scope* sc, Expression e) { if (isLvalue()) return this; return Expression.toLvalue(sc, e); } override Expression addDtorHook(Scope* sc) { /* Only need to add dtor hook if it's a type that needs destruction. * Use same logic as VarDeclaration::callScopeDtor() */ if (e1.type && e1.type.ty == Tfunction) { TypeFunction tf = cast(TypeFunction)e1.type; if (tf.isref) return this; } Type tv = type.baseElemOf(); if (tv.ty == Tstruct) { TypeStruct ts = cast(TypeStruct)tv; StructDeclaration sd = ts.sym; if (sd.dtor) { /* Type needs destruction, so declare a tmp * which the back end will recognize and call dtor on */ auto tmp = copyToTemp(0, "__tmpfordtor", this); auto de = new DeclarationExp(loc, tmp); auto ve = new VarExp(loc, tmp); Expression e = new CommaExp(loc, de, ve); e = e.semantic(sc); return e; } } return this; } override void accept(Visitor v) { v.visit(this); } } FuncDeclaration isFuncAddress(Expression e, bool* hasOverloads = null) { if (e.op == TOKaddress) { auto ae1 = (cast(AddrExp)e).e1; if (ae1.op == TOKvar) { auto ve = cast(VarExp)ae1; if (hasOverloads) *hasOverloads = ve.hasOverloads; return ve.var.isFuncDeclaration(); } if (ae1.op == TOKdotvar) { auto dve = cast(DotVarExp)ae1; if (hasOverloads) *hasOverloads = dve.hasOverloads; return dve.var.isFuncDeclaration(); } } else { if (e.op == TOKsymoff) { auto soe = cast(SymOffExp)e; if (hasOverloads) *hasOverloads = soe.hasOverloads; return soe.var.isFuncDeclaration(); } if (e.op == TOKdelegate) { auto dge = cast(DelegateExp)e; if (hasOverloads) *hasOverloads = dge.hasOverloads; return dge.func.isFuncDeclaration(); } } return null; } /*********************************************************** */ extern (C++) final class AddrExp : UnaExp { extern (D) this(Loc loc, Expression e) { super(loc, TOKaddress, __traits(classInstanceSize, AddrExp), e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class PtrExp : UnaExp { extern (D) this(Loc loc, Expression e) { super(loc, TOKstar, __traits(classInstanceSize, PtrExp), e); //if (e.type) // type = ((TypePointer *)e.type).next; } extern (D) this(Loc loc, Expression e, Type t) { super(loc, TOKstar, __traits(classInstanceSize, PtrExp), e); type = t; } override int checkModifiable(Scope* sc, int flag) { if (e1.op == TOKsymoff) { SymOffExp se = cast(SymOffExp)e1; return se.var.checkModify(loc, sc, type, null, flag); } else if (e1.op == TOKaddress) { AddrExp ae = cast(AddrExp)e1; return ae.e1.checkModifiable(sc, flag); } return 1; } override bool isLvalue() { return true; } override Expression toLvalue(Scope* sc, Expression e) { return this; } override Expression modifiableLvalue(Scope* sc, Expression e) { //printf("PtrExp::modifiableLvalue() %s, type %s\n", toChars(), type.toChars()); return Expression.modifiableLvalue(sc, e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class NegExp : UnaExp { extern (D) this(Loc loc, Expression e) { super(loc, TOKneg, __traits(classInstanceSize, NegExp), e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class UAddExp : UnaExp { extern (D) this(Loc loc, Expression e) { super(loc, TOKuadd, __traits(classInstanceSize, UAddExp), e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ComExp : UnaExp { extern (D) this(Loc loc, Expression e) { super(loc, TOKtilde, __traits(classInstanceSize, ComExp), e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class NotExp : UnaExp { extern (D) this(Loc loc, Expression e) { super(loc, TOKnot, __traits(classInstanceSize, NotExp), e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DeleteExp : UnaExp { bool isRAII; // true if called automatically as a result of scoped destruction extern (D) this(Loc loc, Expression e, bool isRAII) { super(loc, TOKdelete, __traits(classInstanceSize, DeleteExp), e); this.isRAII = isRAII; } override Expression toBoolean(Scope* sc) { error("delete does not give a boolean result"); return new ErrorExp(); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Possible to cast to one type while painting to another type */ extern (C++) final class CastExp : UnaExp { Type to; // type to cast to ubyte mod = cast(ubyte)~0; // MODxxxxx extern (D) this(Loc loc, Expression e, Type t) { super(loc, TOKcast, __traits(classInstanceSize, CastExp), e); this.to = t; } /* For cast(const) and cast(immutable) */ extern (D) this(Loc loc, Expression e, ubyte mod) { super(loc, TOKcast, __traits(classInstanceSize, CastExp), e); this.mod = mod; } override Expression syntaxCopy() { return to ? new CastExp(loc, e1.syntaxCopy(), to.syntaxCopy()) : new CastExp(loc, e1.syntaxCopy(), mod); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class VectorExp : UnaExp { TypeVector to; // the target vector type before semantic() uint dim = ~0; // number of elements in the vector extern (D) this(Loc loc, Expression e, Type t) { super(loc, TOKvector, __traits(classInstanceSize, VectorExp), e); assert(t.ty == Tvector); to = cast(TypeVector)t; } static VectorExp create(Loc loc, Expression e, Type t) { return new VectorExp(loc, e, t); } override Expression syntaxCopy() { return new VectorExp(loc, e1.syntaxCopy(), to.syntaxCopy()); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * e1 [lwr .. upr] * * http://dlang.org/spec/expression.html#slice_expressions */ extern (C++) final class SliceExp : UnaExp { Expression upr; // null if implicit 0 Expression lwr; // null if implicit [length - 1] VarDeclaration lengthVar; bool upperIsInBounds; // true if upr <= e1.length bool lowerIsLessThanUpper; // true if lwr <= upr bool arrayop; // an array operation, rather than a slice /************************************************************/ extern (D) this(Loc loc, Expression e1, IntervalExp ie) { super(loc, TOKslice, __traits(classInstanceSize, SliceExp), e1); this.upr = ie ? ie.upr : null; this.lwr = ie ? ie.lwr : null; } extern (D) this(Loc loc, Expression e1, Expression lwr, Expression upr) { super(loc, TOKslice, __traits(classInstanceSize, SliceExp), e1); this.upr = upr; this.lwr = lwr; } override Expression syntaxCopy() { auto se = new SliceExp(loc, e1.syntaxCopy(), lwr ? lwr.syntaxCopy() : null, upr ? upr.syntaxCopy() : null); se.lengthVar = this.lengthVar; // bug7871 return se; } override int checkModifiable(Scope* sc, int flag) { //printf("SliceExp::checkModifiable %s\n", toChars()); if (e1.type.ty == Tsarray || (e1.op == TOKindex && e1.type.ty != Tarray) || e1.op == TOKslice) { return e1.checkModifiable(sc, flag); } return 1; } override bool isLvalue() { /* slice expression is rvalue in default, but * conversion to reference of static array is only allowed. */ return (type && type.toBasetype().ty == Tsarray); } override Expression toLvalue(Scope* sc, Expression e) { //printf("SliceExp::toLvalue(%s) type = %s\n", toChars(), type ? type.toChars() : NULL); return (type && type.toBasetype().ty == Tsarray) ? this : Expression.toLvalue(sc, e); } override Expression modifiableLvalue(Scope* sc, Expression e) { error("slice expression %s is not a modifiable lvalue", toChars()); return this; } override bool isBool(bool result) { return e1.isBool(result); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ArrayLengthExp : UnaExp { extern (D) this(Loc loc, Expression e1) { super(loc, TOKarraylength, __traits(classInstanceSize, ArrayLengthExp), e1); } /********************* * Rewrite: * array.length op= e2 * as: * array.length = array.length op e2 * or: * auto tmp = &array; * (*tmp).length = (*tmp).length op e2 */ static Expression rewriteOpAssign(BinExp exp) { Expression e; assert(exp.e1.op == TOKarraylength); ArrayLengthExp ale = cast(ArrayLengthExp)exp.e1; if (ale.e1.op == TOKvar) { e = opAssignToOp(exp.loc, exp.op, ale, exp.e2); e = new AssignExp(exp.loc, ale.syntaxCopy(), e); } else { /* auto tmp = &array; * (*tmp).length = (*tmp).length op e2 */ auto tmp = copyToTemp(0, "__arraylength", new AddrExp(ale.loc, ale.e1)); Expression e1 = new ArrayLengthExp(ale.loc, new PtrExp(ale.loc, new VarExp(ale.loc, tmp))); Expression elvalue = e1.syntaxCopy(); e = opAssignToOp(exp.loc, exp.op, e1, exp.e2); e = new AssignExp(exp.loc, elvalue, e); e = new CommaExp(exp.loc, new DeclarationExp(ale.loc, tmp), e); } return e; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * e1 [ a0, a1, a2, a3 ,... ] * * http://dlang.org/spec/expression.html#index_expressions */ extern (C++) final class ArrayExp : UnaExp { Expressions* arguments; // Array of Expression's a0..an size_t currentDimension; // for opDollar VarDeclaration lengthVar; extern (D) this(Loc loc, Expression e1, Expression index = null) { super(loc, TOKarray, __traits(classInstanceSize, ArrayExp), e1); arguments = new Expressions(); if (index) arguments.push(index); } extern (D) this(Loc loc, Expression e1, Expressions* args) { super(loc, TOKarray, __traits(classInstanceSize, ArrayExp), e1); arguments = args; } override Expression syntaxCopy() { auto ae = new ArrayExp(loc, e1.syntaxCopy(), arraySyntaxCopy(arguments)); ae.lengthVar = this.lengthVar; // bug7871 return ae; } override bool isLvalue() { if (type && type.toBasetype().ty == Tvoid) return false; return true; } override Expression toLvalue(Scope* sc, Expression e) { if (type && type.toBasetype().ty == Tvoid) error("voids have no value"); return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DotExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKdot, __traits(classInstanceSize, DotExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class CommaExp : BinExp { /// This is needed because AssignExp rewrites CommaExp, hence it needs /// to trigger the deprecation. const bool isGenerated; /// Temporary variable to enable / disable deprecation of comma expression /// depending on the context. /// Since most constructor calls are rewritting, the only place where /// false will be passed will be from the parser. bool allowCommaExp; extern (D) this(Loc loc, Expression e1, Expression e2, bool generated = true) { super(loc, TOKcomma, __traits(classInstanceSize, CommaExp), e1, e2); allowCommaExp = isGenerated = generated; } override int checkModifiable(Scope* sc, int flag) { return e2.checkModifiable(sc, flag); } override bool isLvalue() { return e2.isLvalue(); } override Expression toLvalue(Scope* sc, Expression e) { e2 = e2.toLvalue(sc, null); return this; } override Expression modifiableLvalue(Scope* sc, Expression e) { e2 = e2.modifiableLvalue(sc, e); return this; } override bool isBool(bool result) { return e2.isBool(result); } override Expression toBoolean(Scope* sc) { auto ex2 = e2.toBoolean(sc); if (ex2.op == TOKerror) return ex2; e2 = ex2; type = e2.type; return this; } override Expression addDtorHook(Scope* sc) { e2 = e2.addDtorHook(sc); return this; } override void accept(Visitor v) { v.visit(this); } /** * If the argument is a CommaExp, set a flag to prevent deprecation messages * * It's impossible to know from CommaExp.semantic if the result will * be used, hence when there is a result (type != void), a deprecation * message is always emitted. * However, some construct can produce a result but won't use it * (ExpStatement and for loop increment). Those should call this function * to prevent unwanted deprecations to be emitted. * * Params: * exp = An expression that discards its result. * If the argument is null or not a CommaExp, nothing happens. */ static void allow(Expression exp) { if (exp && exp.op == TOK.TOKcomma) (cast(CommaExp)exp).allowCommaExp = true; } } /*********************************************************** * Mainly just a placeholder */ extern (C++) final class IntervalExp : Expression { Expression lwr; Expression upr; extern (D) this(Loc loc, Expression lwr, Expression upr) { super(loc, TOKinterval, __traits(classInstanceSize, IntervalExp)); this.lwr = lwr; this.upr = upr; } override Expression syntaxCopy() { return new IntervalExp(loc, lwr.syntaxCopy(), upr.syntaxCopy()); } override void accept(Visitor v) { v.visit(this); } } extern (C++) final class DelegatePtrExp : UnaExp { extern (D) this(Loc loc, Expression e1) { super(loc, TOKdelegateptr, __traits(classInstanceSize, DelegatePtrExp), e1); } override bool isLvalue() { return e1.isLvalue(); } override Expression toLvalue(Scope* sc, Expression e) { e1 = e1.toLvalue(sc, e); return this; } override Expression modifiableLvalue(Scope* sc, Expression e) { if (sc.func.setUnsafe()) { error("cannot modify delegate pointer in @safe code %s", toChars()); return new ErrorExp(); } return Expression.modifiableLvalue(sc, e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DelegateFuncptrExp : UnaExp { extern (D) this(Loc loc, Expression e1) { super(loc, TOKdelegatefuncptr, __traits(classInstanceSize, DelegateFuncptrExp), e1); } override bool isLvalue() { return e1.isLvalue(); } override Expression toLvalue(Scope* sc, Expression e) { e1 = e1.toLvalue(sc, e); return this; } override Expression modifiableLvalue(Scope* sc, Expression e) { if (sc.func.setUnsafe()) { error("cannot modify delegate function pointer in @safe code %s", toChars()); return new ErrorExp(); } return Expression.modifiableLvalue(sc, e); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * e1 [ e2 ] */ extern (C++) final class IndexExp : BinExp { VarDeclaration lengthVar; bool modifiable = false; // assume it is an rvalue bool indexIsInBounds; // true if 0 <= e2 && e2 <= e1.length - 1 extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKindex, __traits(classInstanceSize, IndexExp), e1, e2); //printf("IndexExp::IndexExp('%s')\n", toChars()); } override Expression syntaxCopy() { auto ie = new IndexExp(loc, e1.syntaxCopy(), e2.syntaxCopy()); ie.lengthVar = this.lengthVar; // bug7871 return ie; } override int checkModifiable(Scope* sc, int flag) { if (e1.type.ty == Tsarray || e1.type.ty == Taarray || (e1.op == TOKindex && e1.type.ty != Tarray) || e1.op == TOKslice) { return e1.checkModifiable(sc, flag); } return 1; } override bool isLvalue() { return true; } override Expression toLvalue(Scope* sc, Expression e) { return this; } override Expression modifiableLvalue(Scope* sc, Expression e) { //printf("IndexExp::modifiableLvalue(%s)\n", toChars()); Expression ex = markSettingAAElem(); if (ex.op == TOKerror) return ex; return Expression.modifiableLvalue(sc, e); } Expression markSettingAAElem() { if (e1.type.toBasetype().ty == Taarray) { Type t2b = e2.type.toBasetype(); if (t2b.ty == Tarray && t2b.nextOf().isMutable()) { error("associative arrays can only be assigned values with immutable keys, not %s", e2.type.toChars()); return new ErrorExp(); } modifiable = true; if (e1.op == TOKindex) { Expression ex = (cast(IndexExp)e1).markSettingAAElem(); if (ex.op == TOKerror) return ex; assert(ex == e1); } } return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * For both i++ and i-- */ extern (C++) final class PostExp : BinExp { extern (D) this(TOK op, Loc loc, Expression e) { super(loc, op, __traits(classInstanceSize, PostExp), e, new IntegerExp(loc, 1, Type.tint32)); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * For both ++i and --i */ extern (C++) final class PreExp : UnaExp { extern (D) this(TOK op, Loc loc, Expression e) { super(loc, op, __traits(classInstanceSize, PreExp), e); } override void accept(Visitor v) { v.visit(this); } } enum MemorySet { blockAssign = 1, // setting the contents of an array referenceInit = 2, // setting the reference of STCref variable } /*********************************************************** */ extern (C++) class AssignExp : BinExp { int memset; // combination of MemorySet flags /************************************************************/ /* op can be TOKassign, TOKconstruct, or TOKblit */ final extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKassign, __traits(classInstanceSize, AssignExp), e1, e2); } override final bool isLvalue() { // Array-op 'x[] = y[]' should make an rvalue. // Setting array length 'x.length = v' should make an rvalue. if (e1.op == TOKslice || e1.op == TOKarraylength) { return false; } return true; } override final Expression toLvalue(Scope* sc, Expression ex) { if (e1.op == TOKslice || e1.op == TOKarraylength) { return Expression.toLvalue(sc, ex); } /* In front-end level, AssignExp should make an lvalue of e1. * Taking the address of e1 will be handled in low level layer, * so this function does nothing. */ return this; } override final Expression toBoolean(Scope* sc) { // Things like: // if (a = b) ... // are usually mistakes. error("assignment cannot be used as a condition, perhaps == was meant?"); return new ErrorExp(); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ConstructExp : AssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, e1, e2); op = TOKconstruct; } // Internal use only. If `v` is a reference variable, the assinment // will become a reference initialization automatically. extern (D) this(Loc loc, VarDeclaration v, Expression e2) { auto ve = new VarExp(loc, v); assert(v.type && ve.type); super(loc, ve, e2); op = TOKconstruct; if (v.storage_class & (STCref | STCout)) memset |= MemorySet.referenceInit; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class BlitExp : AssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, e1, e2); op = TOKblit; } // Internal use only. If `v` is a reference variable, the assinment // will become a reference rebinding automatically. extern (D) this(Loc loc, VarDeclaration v, Expression e2) { auto ve = new VarExp(loc, v); assert(v.type && ve.type); super(loc, ve, e2); op = TOKblit; if (v.storage_class & (STCref | STCout)) memset |= MemorySet.referenceInit; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class AddAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKaddass, __traits(classInstanceSize, AddAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class MinAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKminass, __traits(classInstanceSize, MinAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class MulAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKmulass, __traits(classInstanceSize, MulAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DivAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKdivass, __traits(classInstanceSize, DivAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ModAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKmodass, __traits(classInstanceSize, ModAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class AndAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKandass, __traits(classInstanceSize, AndAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class OrAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKorass, __traits(classInstanceSize, OrAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class XorAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKxorass, __traits(classInstanceSize, XorAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class PowAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKpowass, __traits(classInstanceSize, PowAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ShlAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKshlass, __traits(classInstanceSize, ShlAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ShrAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKshrass, __traits(classInstanceSize, ShrAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class UshrAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKushrass, __traits(classInstanceSize, UshrAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class CatAssignExp : BinAssignExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKcatass, __traits(classInstanceSize, CatAssignExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#add_expressions */ extern (C++) final class AddExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKadd, __traits(classInstanceSize, AddExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class MinExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKmin, __traits(classInstanceSize, MinExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#cat_expressions */ extern (C++) final class CatExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKcat, __traits(classInstanceSize, CatExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#mul_expressions */ extern (C++) final class MulExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKmul, __traits(classInstanceSize, MulExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#mul_expressions */ extern (C++) final class DivExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKdiv, __traits(classInstanceSize, DivExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#mul_expressions */ extern (C++) final class ModExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKmod, __traits(classInstanceSize, ModExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#pow_expressions */ extern (C++) final class PowExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKpow, __traits(classInstanceSize, PowExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } extern (C++) Module loadStdMath() { static __gshared Import impStdMath = null; if (!impStdMath) { auto a = new Identifiers(); a.push(Id.std); auto s = new Import(Loc(), a, Id.math, null, false); s.load(null); if (s.mod) { s.mod.importAll(null); s.mod.semantic(null); } impStdMath = s; } return impStdMath.mod; } /*********************************************************** */ extern (C++) final class ShlExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKshl, __traits(classInstanceSize, ShlExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ShrExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKshr, __traits(classInstanceSize, ShrExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class UshrExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKushr, __traits(classInstanceSize, UshrExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class AndExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKand, __traits(classInstanceSize, AndExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class OrExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKor, __traits(classInstanceSize, OrExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class XorExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKxor, __traits(classInstanceSize, XorExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * http://dlang.org/spec/expression.html#andand_expressions * http://dlang.org/spec/expression.html#oror_expressions */ extern (C++) final class LogicalExp : BinExp { extern (D) this(Loc loc, TOK op, Expression e1, Expression e2) { super(loc, op, __traits(classInstanceSize, LogicalExp), e1, e2); } override Expression toBoolean(Scope* sc) { auto ex2 = e2.toBoolean(sc); if (ex2.op == TOKerror) return ex2; e2 = ex2; return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * `op` is one of: * TOKlt, TOKle, TOKgt, TOKge, * TOKunord, TOKlg, TOKleg, TOKule, TOKul, TOKuge, TOKug, TOKue * * http://dlang.org/spec/expression.html#relation_expressions */ extern (C++) final class CmpExp : BinExp { extern (D) this(TOK op, Loc loc, Expression e1, Expression e2) { super(loc, op, __traits(classInstanceSize, CmpExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class InExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKin, __traits(classInstanceSize, InExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * This deletes the key e1 from the associative array e2 */ extern (C++) final class RemoveExp : BinExp { extern (D) this(Loc loc, Expression e1, Expression e2) { super(loc, TOKremove, __traits(classInstanceSize, RemoveExp), e1, e2); type = Type.tbool; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * `==` and `!=` * * TOKequal and TOKnotequal * * http://dlang.org/spec/expression.html#equality_expressions */ extern (C++) final class EqualExp : BinExp { extern (D) this(TOK op, Loc loc, Expression e1, Expression e2) { super(loc, op, __traits(classInstanceSize, EqualExp), e1, e2); assert(op == TOKequal || op == TOKnotequal); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * `is` and `!is` * * TOKidentity and TOKnotidentity * * http://dlang.org/spec/expression.html#identity_expressions */ extern (C++) final class IdentityExp : BinExp { extern (D) this(TOK op, Loc loc, Expression e1, Expression e2) { super(loc, op, __traits(classInstanceSize, IdentityExp), e1, e2); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * `econd ? e1 : e2` * * http://dlang.org/spec/expression.html#conditional_expressions */ extern (C++) final class CondExp : BinExp { Expression econd; extern (D) this(Loc loc, Expression econd, Expression e1, Expression e2) { super(loc, TOKquestion, __traits(classInstanceSize, CondExp), e1, e2); this.econd = econd; } override Expression syntaxCopy() { return new CondExp(loc, econd.syntaxCopy(), e1.syntaxCopy(), e2.syntaxCopy()); } override int checkModifiable(Scope* sc, int flag) { return e1.checkModifiable(sc, flag) && e2.checkModifiable(sc, flag); } override bool isLvalue() { return e1.isLvalue() && e2.isLvalue(); } override Expression toLvalue(Scope* sc, Expression ex) { // convert (econd ? e1 : e2) to *(econd ? &e1 : &e2) CondExp e = cast(CondExp)copy(); e.e1 = e1.toLvalue(sc, null).addressOf(); e.e2 = e2.toLvalue(sc, null).addressOf(); e.type = type.pointerTo(); return new PtrExp(loc, e, type); } override Expression modifiableLvalue(Scope* sc, Expression e) { //error("conditional expression %s is not a modifiable lvalue", toChars()); e1 = e1.modifiableLvalue(sc, e1); e2 = e2.modifiableLvalue(sc, e2); return toLvalue(sc, this); } override Expression toBoolean(Scope* sc) { auto ex1 = e1.toBoolean(sc); auto ex2 = e2.toBoolean(sc); if (ex1.op == TOKerror) return ex1; if (ex2.op == TOKerror) return ex2; e1 = ex1; e2 = ex2; return this; } void hookDtors(Scope* sc) { extern (C++) final class DtorVisitor : StoppableVisitor { alias visit = super.visit; public: Scope* sc; CondExp ce; VarDeclaration vcond; bool isThen; extern (D) this(Scope* sc, CondExp ce) { this.sc = sc; this.ce = ce; } override void visit(Expression e) { //printf("(e = %s)\n", e.toChars()); } override void visit(DeclarationExp e) { auto v = e.declaration.isVarDeclaration(); if (v && !v.isDataseg()) { if (v._init) { if (auto ei = v._init.isExpInitializer()) ei.exp.accept(this); } if (v.needsScopeDtor()) { if (!vcond) { vcond = copyToTemp(STCvolatile, "__cond", ce.econd); vcond.semantic(sc); Expression de = new DeclarationExp(ce.econd.loc, vcond); de = de.semantic(sc); Expression ve = new VarExp(ce.econd.loc, vcond); ce.econd = Expression.combine(de, ve); } //printf("\t++v = %s, v.edtor = %s\n", v.toChars(), v.edtor.toChars()); Expression ve = new VarExp(vcond.loc, vcond); if (isThen) v.edtor = new LogicalExp(v.edtor.loc, TOKandand, ve, v.edtor); else v.edtor = new LogicalExp(v.edtor.loc, TOKoror, ve, v.edtor); v.edtor = v.edtor.semantic(sc); //printf("\t--v = %s, v.edtor = %s\n", v.toChars(), v.edtor.toChars()); } } } } scope DtorVisitor v = new DtorVisitor(sc, this); //printf("+%s\n", toChars()); v.isThen = true; walkPostorder(e1, v); v.isThen = false; walkPostorder(e2, v); //printf("-%s\n", toChars()); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) class DefaultInitExp : Expression { TOK subop; // which of the derived classes this is final extern (D) this(Loc loc, TOK subop, int size) { super(loc, TOKdefault, size); this.subop = subop; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class FileInitExp : DefaultInitExp { extern (D) this(Loc loc, TOK tok) { super(loc, tok, __traits(classInstanceSize, FileInitExp)); } override Expression resolveLoc(Loc loc, Scope* sc) { //printf("FileInitExp::resolve() %s\n", toChars()); const(char)* s = loc.filename ? loc.filename : sc._module.ident.toChars(); if (subop == TOKfilefullpath) s = FileName.combine(sc._module.srcfilePath, s); Expression e = new StringExp(loc, cast(char*)s); e = e.semantic(sc); e = e.castTo(sc, type); return e; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class LineInitExp : DefaultInitExp { extern (D) this(Loc loc) { super(loc, TOKline, __traits(classInstanceSize, LineInitExp)); } override Expression resolveLoc(Loc loc, Scope* sc) { Expression e = new IntegerExp(loc, loc.linnum, Type.tint32); e = e.castTo(sc, type); return e; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ModuleInitExp : DefaultInitExp { extern (D) this(Loc loc) { super(loc, TOKmodulestring, __traits(classInstanceSize, ModuleInitExp)); } override Expression resolveLoc(Loc loc, Scope* sc) { const(char)* s; if (sc.callsc) s = sc.callsc._module.toPrettyChars(); else s = sc._module.toPrettyChars(); Expression e = new StringExp(loc, cast(char*)s); e = e.semantic(sc); e = e.castTo(sc, type); return e; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class FuncInitExp : DefaultInitExp { extern (D) this(Loc loc) { super(loc, TOKfuncstring, __traits(classInstanceSize, FuncInitExp)); } override Expression resolveLoc(Loc loc, Scope* sc) { const(char)* s; if (sc.callsc && sc.callsc.func) s = sc.callsc.func.Dsymbol.toPrettyChars(); else if (sc.func) s = sc.func.Dsymbol.toPrettyChars(); else s = ""; Expression e = new StringExp(loc, cast(char*)s); e = e.semantic(sc); e = e.castTo(sc, type); return e; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class PrettyFuncInitExp : DefaultInitExp { extern (D) this(Loc loc) { super(loc, TOKprettyfunc, __traits(classInstanceSize, PrettyFuncInitExp)); } override Expression resolveLoc(Loc loc, Scope* sc) { FuncDeclaration fd; if (sc.callsc && sc.callsc.func) fd = sc.callsc.func; else fd = sc.func; const(char)* s; if (fd) { const(char)* funcStr = fd.Dsymbol.toPrettyChars(); OutBuffer buf; functionToBufferWithIdent(cast(TypeFunction)fd.type, &buf, funcStr); s = buf.extractString(); } else { s = ""; } Expression e = new StringExp(loc, cast(char*)s); e = e.semantic(sc); e = e.castTo(sc, type); return e; } override void accept(Visitor v) { v.visit(this); } }
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_1_BeT-9551643861.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_1_BeT-9551643861.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
// { dg-shouldfail "stderr_msg msg" } // { dg-output "object.Exception@.*: stderr_msg msg" } void main() { throw new Exception("stderr_msg msg"); }
D
an introductory textbook any igniter that is used to initiate the burning of a propellant the first or preliminary coat of paint or size applied to a surface
D
/Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Crypto.build/Utilities/Base32.swift.o : /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/Base32.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/RSA/RSA.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/MAC/HMAC.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/MAC/OTP.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/Deprecated.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/RSA/RSAPadding.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/CipherAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLCipherAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipherAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Digest/DigestAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Random/CryptoRandom.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/Cipher.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipher.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLStreamCipher.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/CryptoError.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/Exports.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Digest/Digest.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/BCrypt/BCryptDigest.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/RSA/RSAKey.swift /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 /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/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/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/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 /usr/local/Cellar/libressl/2.9.2/include/openssl/asn1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/tls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/md5.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509.h /usr/local/Cellar/libressl/2.9.2/include/openssl/sha.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/hmac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ec.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 /usr/local/Cellar/libressl/2.9.2/include/openssl/rand.h /usr/local/Cellar/libressl/2.9.2/include/openssl/conf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/lhash.h /usr/local/Cellar/libressl/2.9.2/include/openssl/stack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/safestack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bn.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bio.h /usr/local/Cellar/libressl/2.9.2/include/openssl/crypto.h /usr/local/Cellar/libressl/2.9.2/include/openssl/srtp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/evp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.9.2/include/openssl/buffer.h /usr/local/Cellar/libressl/2.9.2/include/openssl/err.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.9.2/include/openssl/objects.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslv.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509_vfy.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/crypto/Sources/CBase32/include/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio-ssl-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 /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/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Crypto.build/Utilities/Base32~partial.swiftmodule : /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/Base32.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/RSA/RSA.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/MAC/HMAC.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/MAC/OTP.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/Deprecated.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/RSA/RSAPadding.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/CipherAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLCipherAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipherAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Digest/DigestAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Random/CryptoRandom.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/Cipher.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipher.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLStreamCipher.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/CryptoError.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/Exports.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Digest/Digest.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/BCrypt/BCryptDigest.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/RSA/RSAKey.swift /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 /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/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/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/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 /usr/local/Cellar/libressl/2.9.2/include/openssl/asn1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/tls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/md5.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509.h /usr/local/Cellar/libressl/2.9.2/include/openssl/sha.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/hmac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ec.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 /usr/local/Cellar/libressl/2.9.2/include/openssl/rand.h /usr/local/Cellar/libressl/2.9.2/include/openssl/conf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/lhash.h /usr/local/Cellar/libressl/2.9.2/include/openssl/stack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/safestack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bn.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bio.h /usr/local/Cellar/libressl/2.9.2/include/openssl/crypto.h /usr/local/Cellar/libressl/2.9.2/include/openssl/srtp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/evp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.9.2/include/openssl/buffer.h /usr/local/Cellar/libressl/2.9.2/include/openssl/err.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.9.2/include/openssl/objects.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslv.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509_vfy.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/crypto/Sources/CBase32/include/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio-ssl-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 /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/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Crypto.build/Utilities/Base32~partial.swiftdoc : /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/Base32.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/RSA/RSA.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/MAC/HMAC.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/MAC/OTP.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/Deprecated.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/RSA/RSAPadding.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/CipherAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLCipherAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipherAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Digest/DigestAlgorithm.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Random/CryptoRandom.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/Cipher.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipher.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLStreamCipher.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/CryptoError.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Utilities/Exports.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/Digest/Digest.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/BCrypt/BCryptDigest.swift /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/Crypto/RSA/RSAKey.swift /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 /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/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/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/x86_64-apple-macosx/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 /usr/local/Cellar/libressl/2.9.2/include/openssl/asn1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/tls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/md5.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509.h /usr/local/Cellar/libressl/2.9.2/include/openssl/sha.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/hmac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ec.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 /usr/local/Cellar/libressl/2.9.2/include/openssl/rand.h /usr/local/Cellar/libressl/2.9.2/include/openssl/conf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/lhash.h /usr/local/Cellar/libressl/2.9.2/include/openssl/stack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/safestack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bn.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bio.h /usr/local/Cellar/libressl/2.9.2/include/openssl/crypto.h /usr/local/Cellar/libressl/2.9.2/include/openssl/srtp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/evp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.9.2/include/openssl/buffer.h /usr/local/Cellar/libressl/2.9.2/include/openssl/err.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.9.2/include/openssl/objects.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslv.h /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509_vfy.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/crypto/Sources/CBase32/include/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/mhassanin/Developer/CupcakeVapor/CupcakeCorner/.build/checkouts/swift-nio-ssl-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 /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
module randAA.RandAA; /**An associative array implementation that uses randomized linear congruential * probing for collision resolution. This has the advantage that, no matter * how many collisions there are in the modulus hash space, O(1) expected * lookup time is guaranteed as long as there are few collisions in full 32- * or 64-bit hash space. * * By: David Simcha * * License: * Boost Software License - Version 1.0 - August 17th, 2003 * * Permission is hereby granted, free of charge, to any person or organization * obtaining a copy of the software and accompanying documentation covered by * this license (the "Software") to use, reproduce, display, distribute, * execute, and transmit the Software, and to prepare derivative works of the * Software, and to permit third-parties to whom the Software is furnished to * do so, all subject to the following: * * The copyright notices in the Software and this entire statement, including * the above license grant, this restriction and the following disclaimer, * must be included in all copies of the Software, in whole or in part, and * all derivative works of the Software, unless such copies or derivative * works are solely in the form of machine-executable object code generated by * a source language processor. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT * SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE * FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE, * ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER * DEALINGS IN THE SOFTWARE. */ import std.traits, core.memory, core.exception, std.algorithm, std.conv, std.conv, std.exception, std.math; /**Exception thrown on missing keys.*/ class KeyError : Exception { this(string msg) { super(msg); } } private enum { EMPTY, USED, REMOVED } // It's faster to store the hash if it's expensive to compute, but // faster not to if it's cheap to compute. private template shouldStoreHash(K) { enum bool shouldStoreHash = !isFloatingPoint!K && !isIntegral!K; } /**Forward range to iterate over keys or values of a RandAA. Elements can * safely be removed (but not added) while iterating over the keys.*/ private void missing_key(K)(K key) { throw new KeyError (text("missing or invalid key ", key)); } struct aard(K,V, bool useRandom = false) { alias RandAA!(K,V,shouldStoreHash!(K),useRandom) HashMapClass; HashMapClass imp_; V opIndex(K key) { if (imp_ !is null) return imp_.opIndex(key); missing_key(key); assert(0); } V* opIn_r(K k) { if (imp_ is null) return null; return imp_.opIn_r(k); } void opIndexAssign(V value, K k) { if (imp_ is null) imp_ = new HashMapClass(); imp_.assignNoRehashCheck(k, value); imp_.rehash(); } void clear() { if (imp_ !is null) imp_.free(); } void detach() { imp_ = null; } bool remove(K k) { if (imp_ is null) return false; V val; return imp_.remove(k, val); } bool remove(K k, ref V value) { if (imp_ is null) return false; return imp_.remove(k, value); } @property K[] keys() { if (imp_ is null) return null; return imp_.keys(); } @property aard allocate() { aard newAA; newAA.imp_ = new HashMapClass(); return newAA; } @property void loadRatio(double cap) { // dummy } @property void capacity(size_t cap) { // dummy } @property V[] values() { if (imp_ is null) return null; return imp_.values(); } V get(K k) { V* p = opIn_r(k); if (p !is null) { return *p; } return V.init; } bool get(K k, ref V val ) { if (imp_ !is null) { V* p = opIn_r(k); if (p !is null) { val = *p; return true; } } val = V.init; return false; } @property size_t length() { if (imp_ is null) return 0; return imp_._length; } public int opApply(int delegate(ref V value) dg) { return (imp_ !is null) ? imp_.opApply(dg) : 0; } public int opApply(int delegate(ref K key, ref V value) dg) { return (imp_ !is null) ? imp_.opApply(dg) : 0; } } /**An associative array class that uses randomized probing and open * addressing. K is the key type, V is the value type, storeHash * determines whether the hash of each key is stored in the array. This * increases space requirements, but allows for faster rehashing. By * default, the hash is stored unless the array is an array of floating point * or integer types. */ final class RandAA(K, V, bool storeHash = shouldStoreHash!(K), bool useRandom = false ){ private: // Store keys, values in parallel arrays. This prevents us from having // alignment overhead and prevents the GC from scanning values if only // keys have pointers, or vice-versa. K* _keys; V* vals; ubyte* flags; static if(storeHash) { hash_t* hashes; // For fast reindexing. } size_t mask; // easy modular 2 size_t clock; // calculate with size size_t _length; // Logical size size_t space; // Storage space size_t nDead; // Number of elements removed. //TypeInfo ti_; // Good values for a linear congruential random number gen. The modulus // is implicitly uint.max + 1, meaning that we take advantage of overflow // to avoid a div instruction. enum : size_t {mul = 1103515245U, add = 12345U} enum : size_t {PERTURB_SHIFT = 32} // Optimized for a few special cases to avoid the virtual function call // to TypeInfo.getHash(). hash_t getHash(K key) const { static if(is(K : long) && K.sizeof <= hash_t.sizeof) { hash_t hash = cast(hash_t) key; } else static if(is(typeof(key.toHash()))) { hash_t hash = key.toHash(); } else { hash_t hash = typeid(K).getHash(cast(const(void)*)&key) ; } return hash; } static if(storeHash) { size_t findExisting(ref K key) const { immutable hashFull = getHash(key); size_t pos = hashFull & mask; static if (useRandom) size_t rand = hashFull + 1; else // static if (P == "perturb") { size_t perturb = hashFull; size_t i = pos; } uint flag = void; while(true) { flag = flags[pos]; if(flag == EMPTY || (hashFull == hashes[pos] && key == _keys[pos] && flag != EMPTY)) { break; } static if (useRandom) { rand = rand * mul + add; pos = (rand + hashFull) & mask; } else // static if (P == "perturb") { i = (i*5 + perturb + 1); perturb /= PERTURB_SHIFT; pos = i & mask; } } return (flag == USED) ? pos : size_t.max; } size_t findForInsert(ref K key, immutable hash_t hashFull) { size_t pos = hashFull & mask; static if (useRandom) size_t rand = hashFull + 1; else //static if (P == "perturb") { size_t perturb = hashFull; size_t i = pos; } while(true) { if(flags[pos] != USED || (hashes[pos] == hashFull && _keys[pos] == key)) { break; } static if (useRandom) { rand = rand * mul + add; pos = (rand + hashFull) & mask; } else //static if (P == "perturb") { i = (i*5 + perturb + 1); perturb /= PERTURB_SHIFT; pos = i & mask; } } hashes[pos] = hashFull; return pos; } } else { size_t findExisting(ref K key) const { immutable hashFull = getHash(key); size_t pos = hashFull & mask; static if (useRandom) size_t rand = hashFull + 1; else //static if (P == "perturb") { size_t perturb = hashFull; size_t i = pos; } uint flag = void; while(true) { flag = flags[pos]; if(flag == EMPTY || (_keys[pos] == key && flag != EMPTY)) { break; } static if (useRandom) { rand = rand * mul + add; pos = (rand + hashFull) & mask; } else // static if (P == "perturb") { i = (i*5 + perturb + 1); perturb /= PERTURB_SHIFT; pos = i & mask; } } return (flag == USED) ? pos : size_t.max; } size_t findForInsert(ref K key, immutable hash_t hashFull) const { size_t pos = hashFull & mask; static if (useRandom) { size_t rand = hashFull + 1; } else { size_t perturb = hashFull; size_t i = pos; } while(flags[pos] == USED && _keys[pos] != key) { static if (useRandom) { rand = rand * mul + add; pos = (rand + hashFull) & mask; } else { i = (i*5 + perturb + 1); perturb /= PERTURB_SHIFT; pos = i & mask; } } return pos; } } void assignNoRehashCheck(ref K key, ref V val, hash_t hashFull) { size_t i = findForInsert(key, hashFull); vals[i] = val; immutable uint flag = flags[i]; if(flag != USED) { if(flag == REMOVED) { nDead--; } _length++; flags[i] = USED; _keys[i] = key; } } void assignNoRehashCheck(ref K key, ref V val) { hash_t hashFull = getHash(key); size_t i = findForInsert(key,hashFull); vals[i] = val; immutable uint flag = flags[i]; if(flag != USED) { if(flag == REMOVED) { nDead--; } _length++; flags[i] = USED; _keys[i] = key; } } // Dummy constructor only used internally. this(bool dummy) {} public: static size_t getNextP2(size_t n) { // get the powerof 2 > n size_t result = 16; while(n >= result) { result *= 2; } return result; } /**Construct an instance of RandAA with initial size initSize. * initSize determines the amount of slots pre-allocated.*/ this(size_t initSize = 10) { //initSize = nextSize(initSize); space = getNextP2(initSize); mask = space-1; _keys = (new K[space]).ptr; vals = (new V[space]).ptr; static if(storeHash) { hashes = (new hash_t[space]).ptr; } flags = (new ubyte[space]).ptr; } /// void rehash() { if(cast(float) (_length + nDead) / space < 0.7) { return; } reserve(space+1); } /**Reserve enough space for newSize elements. Note that the rehashing * heuristics do not guarantee that no new space will be allocated before * newSize elements are added. */ private void reserve(size_t newSize) { scope typeof(this) newTable = new typeof(this)(newSize); foreach(i; 0..space) { if(flags[i] == USED) { static if(storeHash) { newTable.assignNoRehashCheck(_keys[i], vals[i], hashes[i]); } else { newTable.assignNoRehashCheck(_keys[i], vals[i]); } } } // Can't free vals b/c references to it could escape. Let GC // handle it. GC.free( cast(void*) this._keys); GC.free( cast(void*) this.flags); GC.free( cast(void*) this.vals); static if(storeHash) { GC.free( cast(void*) this.hashes ); } foreach(ti, elem; newTable.tupleof) { this.tupleof[ti] = elem; } } /**Throws a KeyError on unsuccessful key search.*/ ref V opIndex(K index) { size_t i = findExisting(index); if(i == size_t.max) { throw new KeyError("Could not find key " ~ to!string(index)); } else { return vals[i]; } } /**Non-ref return for const instances.*/ V opIndex(K index) const { size_t i = findExisting(index); if(i == size_t.max) { throw new KeyError("Could not find key " ~ to!string(index)); } else { return vals[i]; } } /// void opIndexAssign(V val, K index) { assignNoRehashCheck(index, val); rehash(); } struct KeyValRange(K, V, bool storeHash, bool vals) { private: static if(vals) { alias V T; } else { alias K T; } size_t index = 0; RandAA aa; public: this(RandAA aa) { this.aa = aa; while(aa.flags[index] != USED && index < aa.space) { index++; } } /// T front() { static if(vals) { return aa.vals[index]; } else { return aa._keys[index]; } } /// void popFront() { index++; while(aa.flags[index] != USED && index < aa.space) { index++; } } /// bool empty() { return index == aa.space; } string toString() { char[] ret = "[".dup; auto copy = this; foreach(elem; copy) { ret ~= to!string(elem); ret ~= ", "; } ret[$ - 2] = ']'; ret = ret[0..$ - 1]; auto retImmutable = assumeUnique(ret); return retImmutable; } } alias KeyValRange!(K, V, storeHash, false) key_range; alias KeyValRange!(K, V, storeHash, true) value_range; /**Does not allocate. Returns a simple forward range.*/ key_range keyRange() { return key_range(this); } /**Does not allocate. Returns a simple forward range.*/ value_range valueRange() { return value_range(this); } /**Removes an element from this. Elements *may* be removed while iterating * via .keys.*/ V remove(K index) { size_t i = findExisting(index); if(i == size_t.max) { throw new KeyError("Could not find key " ~ to!string(index)); } else { _length--; nDead++; flags[i] = REMOVED; return vals[i]; } } V[] values() { size_t i = 0; V[] result = new V[this._length]; foreach(k,v ; this) result[i++] = v; return result; } K[] keys() { size_t i = 0; K[] result = new K[this._length]; foreach(k,v ; this) result[i++] = k; return result; } bool remove(K index, ref V value) { size_t i = findExisting(index); if(i == size_t.max) { return false; } else { _length--; nDead++; flags[i] = REMOVED; value = vals[i]; return true; } } /**Returns null if index is not found.*/ V* opIn_r(K index) { size_t i = findExisting(index); if(i == size_t.max) { return null; } else { return vals + i; } } /**Iterate over keys, values in lockstep.*/ int opApply(int delegate(ref K, ref V) dg) { int result; foreach(i, k; _keys[0..space]) if(flags[i] == USED) { result = dg(k, vals[i]); if(result) { break; } } return result; } private template DeconstArrayType(T) { static if(isStaticArray!(T)) { alias typeof(T.init[0])[] type; //the equivalent dynamic array } else { alias T type; } } alias DeconstArrayType!(K).type K_; alias DeconstArrayType!(V).type V_; public int opApply(int delegate(ref V_ value) dg) { return opApply((ref K_ k, ref V_ v) { return dg(v); }); } void clear() { free(); } /**Allows for deleting the contents of the array manually, if supported * by the GC.*/ void free() { GC.free( cast(void*) this._keys); GC.free( cast(void*) this.vals); GC.free( cast(void*) this.flags); static if(storeHash) { GC.free( cast(void*) this.hashes ); } } /// size_t length() { return _length; } }
D
an outbuilding with a single story get rid of pour out in drops or small quantities or as if in drops or small quantities cause or allow (a solid substance) to flow or run out or over cast off hair, skin, horn, or feathers shed at an early stage of development
D
capable of being reached capable of being read with comprehension easily obtained easy to get along with or talk to
D
/** * Compiler implementation of the * $(LINK2 http://www.dlang.org, D programming language). * * Mostly code generation for assignment operators. * * Copyright: Copyright (C) 1985-1998 by Symantec * Copyright (C) 2000-2020 by The D Language Foundation, All Rights Reserved * Authors: $(LINK2 http://www.digitalmars.com, Walter Bright) * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/backend/cod4.d, backend/cod4.d) * Documentation: https://dlang.org/phobos/dmd_backend_cod4.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/backend/cod4.d */ module dmd.backend.cod4; version (SCPP) version = COMPILE; version (MARS) version = COMPILE; version (COMPILE) { import core.stdc.stdio; import core.stdc.stdlib; import core.stdc.string; import dmd.backend.cc; import dmd.backend.cdef; import dmd.backend.code; import dmd.backend.code_x86; import dmd.backend.codebuilder; import dmd.backend.mem; import dmd.backend.el; import dmd.backend.global; import dmd.backend.oper; import dmd.backend.ty; import dmd.backend.evalu8 : el_toldoubled; import dmd.backend.xmm; extern (C++): nothrow: int REGSIZE(); extern __gshared CGstate cgstate; extern __gshared bool[FLMAX] datafl; private extern (D) uint mask(uint m) { return 1 << m; } /* AX,CX,DX,BX */ __gshared const reg_t[4] dblreg = [ BX,DX,NOREG,CX ]; // from divcoeff.c extern (C) { bool choose_multiplier(int N, ulong d, int prec, ulong *pm, int *pshpost); bool udiv_coefficients(int N, ulong d, int *pshpre, ulong *pm, int *pshpost); } /******************************* * Return number of times symbol s appears in tree e. */ private int intree(Symbol *s,elem *e) { if (!OTleaf(e.Eoper)) return intree(s,e.EV.E1) + (OTbinary(e.Eoper) ? intree(s,e.EV.E2) : 0); return e.Eoper == OPvar && e.EV.Vsym == s; } /*********************************** * Determine if expression e can be evaluated directly into register * variable s. * Have to be careful about things like x=x+x+x, and x=a+x. * Returns: * !=0 can * 0 can't */ int doinreg(Symbol *s, elem *e) { int in_ = 0; OPER op; L1: op = e.Eoper; if (op == OPind || OTcall(op) || OTleaf(op) || (in_ = intree(s,e)) == 0 || (OTunary(op) && OTleaf(e.EV.E1.Eoper)) ) return 1; if (in_ == 1) { switch (op) { case OPadd: case OPmin: case OPand: case OPor: case OPxor: case OPshl: case OPmul: if (!intree(s,e.EV.E2)) { e = e.EV.E1; goto L1; } break; default: break; } } return 0; } /**************************** * Return code for saving common subexpressions if EA * turns out to be a register. * This is called just before modifying an EA. */ void modEA(ref CodeBuilder cdb,code *c) { if ((c.Irm & 0xC0) == 0xC0) // addressing mode refers to a register { reg_t reg = c.Irm & 7; if (c.Irex & REX_B) { reg |= 8; assert(I64); } getregs(cdb,mask(reg)); } } static if (TARGET_WINDOS) { // This code is for CPUs that do not support the 8087 /**************************** * Gen code for op= for doubles. */ private void opassdbl(ref CodeBuilder cdb,elem *e,regm_t *pretregs,OPER op) { static immutable uint[OPdivass - OPpostinc + 1] clibtab = /* OPpostinc,OPpostdec,OPeq,OPaddass,OPminass,OPmulass,OPdivass */ [ CLIB.dadd, CLIB.dsub, cast(uint)-1, CLIB.dadd,CLIB.dsub,CLIB.dmul,CLIB.ddiv ]; if (config.inline8087) { opass87(cdb,e,pretregs); return; } code cs; regm_t retregs2,retregs,idxregs; uint clib = clibtab[op - OPpostinc]; elem *e1 = e.EV.E1; tym_t tym = tybasic(e1.Ety); getlvalue(cdb,&cs,e1,DOUBLEREGS | mBX | mCX); if (tym == TYfloat) { clib += CLIB.fadd - CLIB.dadd; /* convert to float operation */ // Load EA into FLOATREGS getregs(cdb,FLOATREGS); cs.Iop = LOD; cs.Irm |= modregrm(0,AX,0); cdb.gen(&cs); if (!I32) { cs.Irm |= modregrm(0,DX,0); getlvalue_msw(&cs); cdb.gen(&cs); getlvalue_lsw(&cs); } retregs2 = FLOATREGS2; idxregs = FLOATREGS | idxregm(&cs); retregs = FLOATREGS; } else { if (I32) { // Load EA into DOUBLEREGS getregs(cdb,DOUBLEREGS_32); cs.Iop = LOD; cs.Irm |= modregrm(0,AX,0); cdb.gen(&cs); cs.Irm |= modregrm(0,DX,0); getlvalue_msw(&cs); cdb.gen(&cs); getlvalue_lsw(&cs); retregs2 = DOUBLEREGS2_32; idxregs = DOUBLEREGS_32 | idxregm(&cs); } else { // Push EA onto stack cs.Iop = 0xFF; cs.Irm |= modregrm(0,6,0); cs.IEV1.Voffset += DOUBLESIZE - REGSIZE; cdb.gen(&cs); getlvalue_lsw(&cs); cdb.gen(&cs); getlvalue_lsw(&cs); cdb.gen(&cs); getlvalue_lsw(&cs); cdb.gen(&cs); stackpush += DOUBLESIZE; retregs2 = DOUBLEREGS_16; idxregs = idxregm(&cs); } retregs = DOUBLEREGS; } if ((cs.Iflags & CFSEG) == CFes) idxregs |= mES; cgstate.stackclean++; scodelem(cdb,e.EV.E2,&retregs2,idxregs,false); cgstate.stackclean--; callclib(cdb,e,clib,&retregs,0); if (e1.Ecount) cssave(e1,retregs,!OTleaf(e1.Eoper)); // if lvalue is a CSE freenode(e1); cs.Iop = STO; // MOV EA,DOUBLEREGS fltregs(cdb,&cs,tym); fixresult(cdb,e,retregs,pretregs); } /**************************** * Gen code for OPnegass for doubles. */ private void opnegassdbl(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { if (config.inline8087) { cdnegass87(cdb,e,pretregs); return; } elem *e1 = e.EV.E1; tym_t tym = tybasic(e1.Ety); int sz = _tysize[tym]; code cs; getlvalue(cdb,&cs,e1,*pretregs ? DOUBLEREGS | mBX | mCX : 0); modEA(cdb,&cs); cs.Irm |= modregrm(0,6,0); cs.Iop = 0x80; cs.IEV1.Voffset += sz - 1; cs.IFL2 = FLconst; cs.IEV2.Vuns = 0x80; cdb.gen(&cs); // XOR 7[EA],0x80 if (tycomplex(tym)) { cs.IEV1.Voffset -= sz / 2; cdb.gen(&cs); // XOR 7[EA],0x80 } regm_t retregs; if (*pretregs || e1.Ecount) { cs.IEV1.Voffset -= sz - 1; if (tym == TYfloat) { // Load EA into FLOATREGS getregs(cdb,FLOATREGS); cs.Iop = LOD; NEWREG(cs.Irm, AX); cdb.gen(&cs); if (!I32) { NEWREG(cs.Irm, DX); getlvalue_msw(&cs); cdb.gen(&cs); getlvalue_lsw(&cs); } retregs = FLOATREGS; } else { if (I32) { // Load EA into DOUBLEREGS getregs(cdb,DOUBLEREGS_32); cs.Iop = LOD; cs.Irm &= ~cast(uint)modregrm(0,7,0); cs.Irm |= modregrm(0,AX,0); cdb.gen(&cs); cs.Irm |= modregrm(0,DX,0); getlvalue_msw(&cs); cdb.gen(&cs); getlvalue_lsw(&cs); } else { static if (1) { cs.Iop = LOD; fltregs(cdb,&cs,TYdouble); // MOV DOUBLEREGS, EA } else { // Push EA onto stack cs.Iop = 0xFF; cs.Irm |= modregrm(0,6,0); cs.IEV1.Voffset += DOUBLESIZE - REGSIZE; cdb.gen(&cs); cs.IEV1.Voffset -= REGSIZE; cdb.gen(&cs); cs.IEV1.Voffset -= REGSIZE; cdb.gen(&cs); cs.IEV1.Voffset -= REGSIZE; cdb.gen(&cs); stackpush += DOUBLESIZE; } } retregs = DOUBLEREGS; } if (e1.Ecount) cssave(e1,retregs,!OTleaf(e1.Eoper)); /* if lvalue is a CSE */ } else { retregs = 0; assert(e1.Ecount == 0); } freenode(e1); fixresult(cdb,e,retregs,pretregs); } } /************************ * Generate code for an assignment. */ void cdeq(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { tym_t tymll; reg_t reg; code cs; elem *e11; bool regvar; // true means evaluate into register variable regm_t varregm; reg_t varreg; targ_int postinc; //printf("cdeq(e = %p, *pretregs = %s)\n", e, regm_str(*pretregs)); elem *e1 = e.EV.E1; elem *e2 = e.EV.E2; int e2oper = e2.Eoper; tym_t tyml = tybasic(e1.Ety); // type of lvalue regm_t retregs = *pretregs; if (tyxmmreg(tyml) && config.fpxmmregs) { xmmeq(cdb, e, CMP, e1, e2, pretregs); return; } if (tyfloating(tyml) && config.inline8087) { if (tycomplex(tyml)) { complex_eq87(cdb, e, pretregs); return; } if (!(retregs == 0 && (e2oper == OPconst || e2oper == OPvar || e2oper == OPind)) ) { eq87(cdb,e,pretregs); return; } if (config.target_cpu >= TARGET_PentiumPro && (e2oper == OPvar || e2oper == OPind) ) { eq87(cdb,e,pretregs); return; } if (tyml == TYldouble || tyml == TYildouble) { eq87(cdb,e,pretregs); return; } } uint sz = _tysize[tyml]; // # of bytes to transfer assert(cast(int)sz > 0); if (retregs == 0) // if no return value { int fl; /* If registers are tight, and we might need them for the lvalue, * prefer to not use them for the rvalue */ bool plenty = true; if (e1.Eoper == OPind) { /* Will need 1 register for evaluation, +2 registers for * e1's addressing mode */ regm_t m = allregs & ~regcon.mvar; // mask of non-register variables m &= m - 1; // clear least significant bit m &= m - 1; // clear least significant bit plenty = m != 0; // at least 3 registers } if ((e2oper == OPconst || // if rvalue is a constant e2oper == OPrelconst && !(I64 && (config.flags3 & CFG3pic || config.exe == EX_WIN64)) && ((fl = el_fl(e2)) == FLdata || fl==FLudata || fl == FLextern) && !(e2.EV.Vsym.ty() & mTYcs) ) && !(evalinregister(e2) && plenty) && !e1.Ecount) // and no CSE headaches { // Look for special case of (*p++ = ...), where p is a register variable if (e1.Eoper == OPind && ((e11 = e1.EV.E1).Eoper == OPpostinc || e11.Eoper == OPpostdec) && e11.EV.E1.Eoper == OPvar && e11.EV.E1.EV.Vsym.Sfl == FLreg && (!I16 || e11.EV.E1.EV.Vsym.Sregm & IDXREGS) ) { Symbol *s = e11.EV.E1.EV.Vsym; if (s.Sclass == SCfastpar || s.Sclass == SCshadowreg) { regcon.params &= ~s.Spregm(); } postinc = e11.EV.E2.EV.Vint; if (e11.Eoper == OPpostdec) postinc = -postinc; getlvalue(cdb,&cs,e1,RMstore); freenode(e11.EV.E2); } else { postinc = 0; getlvalue(cdb,&cs,e1,RMstore); if (e2oper == OPconst && config.flags4 & CFG4speed && (config.target_cpu == TARGET_Pentium || config.target_cpu == TARGET_PentiumMMX) && (cs.Irm & 0xC0) == 0x80 ) { if (I64 && sz == 8 && e2.EV.Vpointer) { // MOV reg,imm64 // MOV EA,reg regm_t rregm = allregs & ~idxregm(&cs); reg_t regx; regwithvalue(cdb,rregm,e2.EV.Vpointer,&regx,64); cs.Iop = STO; cs.Irm |= modregrm(0,regx & 7,0); if (regx & 8) cs.Irex |= REX_R; cdb.gen(&cs); freenode(e2); goto Lp; } if ((sz == REGSIZE || (I64 && sz == 4)) && e2.EV.Vint) { // MOV reg,imm // MOV EA,reg regm_t rregm = allregs & ~idxregm(&cs); reg_t regx; regwithvalue(cdb,rregm,e2.EV.Vint,&regx,0); cs.Iop = STO; cs.Irm |= modregrm(0,regx & 7,0); if (regx & 8) cs.Irex |= REX_R; cdb.gen(&cs); freenode(e2); goto Lp; } if (sz == 2 * REGSIZE && e2.EV.Vllong == 0) { // MOV reg,imm // MOV EA,reg // MOV EA+2,reg regm_t rregm = getscratch() & ~idxregm(&cs); if (rregm) { reg_t regx; regwithvalue(cdb,rregm,e2.EV.Vint,&regx,0); cs.Iop = STO; cs.Irm |= modregrm(0,regx,0); cdb.gen(&cs); getlvalue_msw(&cs); cdb.gen(&cs); freenode(e2); goto Lp; } } } } // If loading result into a register if ((cs.Irm & 0xC0) == 0xC0) { modEA(cdb,&cs); if (sz == 2 * REGSIZE && cs.IFL1 == FLreg) getregs(cdb,cs.IEV1.Vsym.Sregm); } cs.Iop = (sz == 1) ? 0xC6 : 0xC7; if (e2oper == OPrelconst) { cs.IEV2.Voffset = e2.EV.Voffset; cs.IFL2 = cast(ubyte)fl; cs.IEV2.Vsym = e2.EV.Vsym; cs.Iflags |= CFoff; cdb.gen(&cs); // MOV EA,&variable if (I64 && sz == 8) code_orrex(cdb.last(), REX_W); if (sz > REGSIZE) { cs.Iop = 0x8C; getlvalue_msw(&cs); cs.Irm |= modregrm(0,3,0); cdb.gen(&cs); // MOV EA+2,DS } } else { assert(e2oper == OPconst); cs.IFL2 = FLconst; targ_size_t *p = cast(targ_size_t *) &(e2.EV); cs.IEV2.Vsize_t = *p; // Look for loading a register variable if ((cs.Irm & 0xC0) == 0xC0) { reg_t regx = cs.Irm & 7; if (cs.Irex & REX_B) regx |= 8; if (I64 && sz == 8) movregconst(cdb,regx,*p,64); else movregconst(cdb,regx,*p,1 ^ (cs.Iop & 1)); if (sz == 2 * REGSIZE) { getlvalue_msw(&cs); if (REGSIZE == 2) movregconst(cdb,cs.Irm & 7,(cast(ushort *)p)[1],0); else if (REGSIZE == 4) movregconst(cdb,cs.Irm & 7,(cast(uint *)p)[1],0); else if (REGSIZE == 8) movregconst(cdb,cs.Irm & 7,p[1],0); else assert(0); } } else if (I64 && sz == 8 && *p >= 0x80000000) { // Use 64 bit MOV, as the 32 bit one gets sign extended // MOV reg,imm64 // MOV EA,reg regm_t rregm = allregs & ~idxregm(&cs); reg_t regx; regwithvalue(cdb,rregm,*p,&regx,64); cs.Iop = STO; cs.Irm |= modregrm(0,regx & 7,0); if (regx & 8) cs.Irex |= REX_R; cdb.gen(&cs); } else { int off = sz; do { int regsize = REGSIZE; if (off >= 4 && I16 && config.target_cpu >= TARGET_80386) { regsize = 4; cs.Iflags |= CFopsize; // use opsize to do 32 bit operation } else if (I64 && sz == 16 && *p >= 0x80000000) { regm_t rregm = allregs & ~idxregm(&cs); reg_t regx; regwithvalue(cdb,rregm,*p,&regx,64); cs.Iop = STO; cs.Irm |= modregrm(0,regx & 7,0); if (regx & 8) cs.Irex |= REX_R; } else { regm_t retregsx = (sz == 1) ? BYTEREGS : allregs; reg_t regx; if (reghasvalue(retregsx,*p,&regx)) { cs.Iop = (cs.Iop & 1) | 0x88; cs.Irm |= modregrm(0,regx & 7,0); // MOV EA,regx if (regx & 8) cs.Irex |= REX_R; if (I64 && sz == 1 && regx >= 4) cs.Irex |= REX; } if (!I16 && off == 2) // if 16 bit operand cs.Iflags |= CFopsize; if (I64 && sz == 8) cs.Irex |= REX_W; } cdb.gen(&cs); // MOV EA,const p = cast(targ_size_t *)(cast(char *) p + regsize); cs.Iop = (cs.Iop & 1) | 0xC6; cs.Irm &= cast(ubyte)~cast(int)modregrm(0,7,0); cs.Irex &= ~REX_R; cs.IEV1.Voffset += regsize; cs.IEV2.Vint = cast(int)*p; off -= regsize; } while (off > 0); } } freenode(e2); goto Lp; } retregs = allregs; // pick a reg, any reg if (sz == 2 * REGSIZE) retregs &= ~mBP; // BP cannot be used for register pair } if (retregs == mPSW) { retregs = allregs; if (sz == 2 * REGSIZE) retregs &= ~mBP; // BP cannot be used for register pair } cs.Iop = STO; if (sz == 1) // must have byte regs { cs.Iop = 0x88; retregs &= BYTEREGS; if (!retregs) retregs = BYTEREGS; } else if (retregs & mES && ( (e1.Eoper == OPind && ((tymll = tybasic(e1.EV.E1.Ety)) == TYfptr || tymll == TYhptr)) || (e1.Eoper == OPvar && e1.EV.Vsym.Sfl == FLfardata) ) ) // getlvalue() needs ES, so we can't return it retregs = allregs; // no conflicts with ES else if (tyml == TYdouble || tyml == TYdouble_alias || retregs & mST0) retregs = DOUBLEREGS; regvar = false; varregm = 0; if (config.flags4 & CFG4optimized) { // Be careful of cases like (x = x+x+x). We cannot evaluate in // x if x is in a register. if (isregvar(e1,&varregm,&varreg) && // if lvalue is register variable doinreg(e1.EV.Vsym,e2) && // and we can compute directly into it !(sz == 1 && e1.EV.Voffset == 1) ) { regvar = true; retregs = varregm; reg = varreg; // evaluate directly in target register if (tysize(e1.Ety) == REGSIZE && tysize(e1.EV.Vsym.Stype.Tty) == 2 * REGSIZE) { if (e1.EV.Voffset) retregs &= mMSW; else retregs &= mLSW; reg = findreg(retregs); } } } if (*pretregs & mPSW && OTleaf(e1.Eoper)) // if evaluating e1 couldn't change flags { // Be careful that this lines up with jmpopcode() retregs |= mPSW; *pretregs &= ~mPSW; } scodelem(cdb,e2,&retregs,0,true); // get rvalue // Look for special case of (*p++ = ...), where p is a register variable if (e1.Eoper == OPind && ((e11 = e1.EV.E1).Eoper == OPpostinc || e11.Eoper == OPpostdec) && e11.EV.E1.Eoper == OPvar && e11.EV.E1.EV.Vsym.Sfl == FLreg && (!I16 || e11.EV.E1.EV.Vsym.Sregm & IDXREGS) ) { Symbol *s = e11.EV.E1.EV.Vsym; if (s.Sclass == SCfastpar || s.Sclass == SCshadowreg) { regcon.params &= ~s.Spregm(); } postinc = e11.EV.E2.EV.Vint; if (e11.Eoper == OPpostdec) postinc = -postinc; getlvalue(cdb,&cs,e1,RMstore | retregs); freenode(e11.EV.E2); } else { postinc = 0; getlvalue(cdb,&cs,e1,RMstore | retregs); // get lvalue (cl == null if regvar) } getregs(cdb,varregm); assert(!(retregs & mES && (cs.Iflags & CFSEG) == CFes)); if ((tyml == TYfptr || tyml == TYhptr) && retregs & mES) { reg = findreglsw(retregs); cs.Irm |= modregrm(0,reg,0); cdb.gen(&cs); // MOV EA,reg getlvalue_msw(&cs); // point to where segment goes cs.Iop = 0x8C; NEWREG(cs.Irm,0); cdb.gen(&cs); // MOV EA+2,ES } else { if (!I16) { reg = findreg(retregs & ((sz > REGSIZE) ? mBP | mLSW : mBP | ALLREGS)); cs.Irm |= modregrm(0,reg & 7,0); if (reg & 8) cs.Irex |= REX_R; for (; true; sz -= REGSIZE) { // Do not generate mov from register onto itself if (regvar && reg == ((cs.Irm & 7) | (cs.Irex & REX_B ? 8 : 0))) break; if (sz == 2) // if 16 bit operand cs.Iflags |= CFopsize; else if (sz == 1 && reg >= 4) cs.Irex |= REX; cdb.gen(&cs); // MOV EA+offset,reg if (sz <= REGSIZE) break; getlvalue_msw(&cs); reg = findregmsw(retregs); code_newreg(&cs, reg); } } else { if (sz > REGSIZE) cs.IEV1.Voffset += sz - REGSIZE; // 0,2,6 reg = findreg(retregs & (sz > REGSIZE ? mMSW : ALLREGS)); if (tyml == TYdouble || tyml == TYdouble_alias) reg = AX; cs.Irm |= modregrm(0,reg,0); // Do not generate mov from register onto itself if (!regvar || reg != (cs.Irm & 7)) for (; true; sz -= REGSIZE) // 1,2,4 { cdb.gen(&cs); // MOV EA+offset,reg if (sz <= REGSIZE) break; cs.IEV1.Voffset -= REGSIZE; if (tyml == TYdouble || tyml == TYdouble_alias) reg = dblreg[reg]; else reg = findreglsw(retregs); NEWREG(cs.Irm,reg); } } } if (e1.Ecount || // if lvalue is a CSE or regvar) // rvalue can't be a CSE { getregs_imm(cdb,retregs); // necessary if both lvalue and // rvalue are CSEs (since a reg // can hold only one e at a time) cssave(e1,retregs,!OTleaf(e1.Eoper)); // if lvalue is a CSE } fixresult(cdb,e,retregs,pretregs); Lp: if (postinc) { reg_t ireg = findreg(idxregm(&cs)); if (*pretregs & mPSW) { // Use LEA to avoid touching the flags uint rm = cs.Irm & 7; if (cs.Irex & REX_B) rm |= 8; cdb.genc1(LEA,buildModregrm(2,ireg,rm),FLconst,postinc); if (tysize(e11.EV.E1.Ety) == 8) code_orrex(cdb.last(), REX_W); } else if (I64) { cdb.genc2(0x81,modregrmx(3,0,ireg),postinc); if (tysize(e11.EV.E1.Ety) == 8) code_orrex(cdb.last(), REX_W); } else { if (postinc == 1) cdb.gen1(0x40 + ireg); // INC ireg else if (postinc == -cast(targ_int)1) cdb.gen1(0x48 + ireg); // DEC ireg else { cdb.genc2(0x81,modregrm(3,0,ireg),postinc); } } } freenode(e1); } /************************ * Generate code for += -= &= |= ^= negass */ void cdaddass(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { //printf("cdaddass(e=%p, *pretregs = %s)\n",e,regm_str(*pretregs)); OPER op = e.Eoper; regm_t retregs = 0; uint reverse = 0; elem *e1 = e.EV.E1; tym_t tyml = tybasic(e1.Ety); // type of lvalue int sz = _tysize[tyml]; int isbyte = (sz == 1); // 1 for byte operation, else 0 // See if evaluate in XMM registers if (config.fpxmmregs && tyxmmreg(tyml) && op != OPnegass && !(*pretregs & mST0)) { xmmopass(cdb,e,pretregs); return; } if (tyfloating(tyml)) { static if (TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { if (op == OPnegass) cdnegass87(cdb,e,pretregs); else opass87(cdb,e,pretregs); } else { if (op == OPnegass) opnegassdbl(cdb,e,pretregs); else opassdbl(cdb,e,pretregs,op); } return; } uint opsize = (I16 && tylong(tyml) && config.target_cpu >= TARGET_80386) ? CFopsize : 0; uint cflags = 0; regm_t forccs = *pretregs & mPSW; // return result in flags regm_t forregs = *pretregs & ~mPSW; // return result in regs // true if we want the result in a register uint wantres = forregs || (e1.Ecount && !OTleaf(e1.Eoper)); reg_t reg; uint op1,op2,mode; code cs; elem *e2; regm_t varregm; reg_t varreg; uint jop; switch (op) // select instruction opcodes { case OPpostinc: op = OPaddass; // i++ => += goto case OPaddass; case OPaddass: op1 = 0x01; op2 = 0x11; cflags = CFpsw; mode = 0; break; // ADD, ADC case OPpostdec: op = OPminass; // i-- => -= goto case OPminass; case OPminass: op1 = 0x29; op2 = 0x19; cflags = CFpsw; mode = 5; break; // SUB, SBC case OPandass: op1 = op2 = 0x21; mode = 4; break; // AND, AND case OPorass: op1 = op2 = 0x09; mode = 1; break; // OR , OR case OPxorass: op1 = op2 = 0x31; mode = 6; break; // XOR, XOR case OPnegass: op1 = 0xF7; // NEG break; default: assert(0); } op1 ^= isbyte; // bit 0 is 0 for byte operation if (op == OPnegass) { getlvalue(cdb,&cs,e1,0); modEA(cdb,&cs); cs.Irm |= modregrm(0,3,0); cs.Iop = op1; switch (_tysize[tyml]) { case CHARSIZE: cdb.gen(&cs); break; case SHORTSIZE: cdb.gen(&cs); if (!I16 && *pretregs & mPSW) cdb.last().Iflags |= CFopsize | CFpsw; break; case LONGSIZE: if (!I16 || opsize) { cdb.gen(&cs); cdb.last().Iflags |= opsize; break; } neg_2reg: getlvalue_msw(&cs); cdb.gen(&cs); // NEG EA+2 getlvalue_lsw(&cs); cdb.gen(&cs); // NEG EA code_orflag(cdb.last(),CFpsw); cs.Iop = 0x81; getlvalue_msw(&cs); cs.IFL2 = FLconst; cs.IEV2.Vuns = 0; cdb.gen(&cs); // SBB EA+2,0 break; case LLONGSIZE: if (I16) assert(0); // not implemented yet if (I32) goto neg_2reg; cdb.gen(&cs); break; default: assert(0); } forccs = 0; // flags already set by NEG *pretregs &= ~mPSW; } else if ((e2 = e.EV.E2).Eoper == OPconst && // if rvalue is a const el_signx32(e2) && // Don't evaluate e2 in register if we can use an INC or DEC (((sz <= REGSIZE || tyfv(tyml)) && (op == OPaddass || op == OPminass) && (el_allbits(e2, 1) || el_allbits(e2, -1)) ) || (!evalinregister(e2) && tyml != TYhptr ) ) ) { getlvalue(cdb,&cs,e1,0); modEA(cdb,&cs); cs.IFL2 = FLconst; cs.IEV2.Vsize_t = e2.EV.Vint; if (sz <= REGSIZE || tyfv(tyml) || opsize) { targ_int i = cs.IEV2.Vint; // Handle shortcuts. Watch out for if result has // to be in flags. if (reghasvalue(isbyte ? BYTEREGS : ALLREGS,i,&reg) && i != 1 && i != -1 && !opsize) { cs.Iop = op1; cs.Irm |= modregrm(0,reg & 7,0); if (I64) { if (isbyte && reg >= 4) cs.Irex |= REX; if (reg & 8) cs.Irex |= REX_R; } } else { cs.Iop = 0x81; cs.Irm |= modregrm(0,mode,0); switch (op) { case OPminass: // convert to += cs.Irm ^= modregrm(0,5,0); i = -i; cs.IEV2.Vsize_t = i; goto case OPaddass; case OPaddass: if (i == 1) // INC EA goto L1; else if (i == -1) // DEC EA { cs.Irm |= modregrm(0,1,0); L1: cs.Iop = 0xFF; } break; default: break; } cs.Iop ^= isbyte; // for byte operations } cs.Iflags |= opsize; if (forccs) cs.Iflags |= CFpsw; else if (!I16 && cs.Iflags & CFopsize) { switch (op) { case OPorass: case OPxorass: cs.IEV2.Vsize_t &= 0xFFFF; cs.Iflags &= ~CFopsize; // don't worry about MSW break; case OPandass: cs.IEV2.Vsize_t |= ~0xFFFFL; cs.Iflags &= ~CFopsize; // don't worry about MSW break; case OPminass: case OPaddass: static if (1) { if ((cs.Irm & 0xC0) == 0xC0) // EA is register cs.Iflags &= ~CFopsize; } else { if ((cs.Irm & 0xC0) == 0xC0 && // EA is register and e1.Eoper == OPind) // not a register var cs.Iflags &= ~CFopsize; } break; default: assert(0); } } // For scheduling purposes, we wish to replace: // OP EA // with: // MOV reg,EA // OP reg // MOV EA,reg if (forregs && sz <= REGSIZE && (cs.Irm & 0xC0) != 0xC0 && (config.target_cpu == TARGET_Pentium || config.target_cpu == TARGET_PentiumMMX) && config.flags4 & CFG4speed) { regm_t sregm; code cs2; // Determine which registers to use sregm = allregs & ~idxregm(&cs); if (isbyte) sregm &= BYTEREGS; if (sregm & forregs) sregm &= forregs; allocreg(cdb,&sregm,&reg,tyml); // allocate register cs2 = cs; cs2.Iflags &= ~CFpsw; cs2.Iop = LOD ^ isbyte; code_newreg(&cs2, reg); cdb.gen(&cs2); // MOV reg,EA cs.Irm = (cs.Irm & modregrm(0,7,0)) | modregrm(3,0,reg & 7); if (reg & 8) cs.Irex |= REX_B; cdb.gen(&cs); // OP reg cs2.Iop ^= 2; cdb.gen(&cs2); // MOV EA,reg retregs = sregm; wantres = 0; if (e1.Ecount) cssave(e1,retregs,!OTleaf(e1.Eoper)); } else { cdb.gen(&cs); cs.Iflags &= ~opsize; cs.Iflags &= ~CFpsw; if (I16 && opsize) // if DWORD operand cs.IEV1.Voffset += 2; // compensate for wantres code } } else if (sz == 2 * REGSIZE) { targ_uns msw; cs.Iop = 0x81; cs.Irm |= modregrm(0,mode,0); cs.Iflags |= cflags; cdb.gen(&cs); cs.Iflags &= ~CFpsw; getlvalue_msw(&cs); // point to msw msw = cast(uint)MSREG(e.EV.E2.EV.Vllong); cs.IEV2.Vuns = msw; // msw of constant switch (op) { case OPminass: cs.Irm ^= modregrm(0,6,0); // SUB => SBB break; case OPaddass: cs.Irm |= modregrm(0,2,0); // ADD => ADC break; default: break; } cdb.gen(&cs); } else assert(0); freenode(e.EV.E2); // don't need it anymore } else if (isregvar(e1,&varregm,&varreg) && (e2.Eoper == OPvar || e2.Eoper == OPind) && !evalinregister(e2) && sz <= REGSIZE) // deal with later { getlvalue(cdb,&cs,e2,0); freenode(e2); getregs(cdb,varregm); code_newreg(&cs, varreg); if (I64 && sz == 1 && varreg >= 4) cs.Irex |= REX; cs.Iop = op1 ^ 2; // toggle direction bit if (forccs) cs.Iflags |= CFpsw; reverse = 2; // remember we toggled it cdb.gen(&cs); retregs = 0; // to trigger a bug if we attempt to use it } else if ((op == OPaddass || op == OPminass) && sz <= REGSIZE && !e2.Ecount && ((jop = jmpopcode(e2)) == JC || jop == JNC || (OTconv(e2.Eoper) && !e2.EV.E1.Ecount && ((jop = jmpopcode(e2.EV.E1)) == JC || jop == JNC))) ) { /* e1 += (x < y) ADC EA,0 * e1 -= (x < y) SBB EA,0 * e1 += (x >= y) SBB EA,-1 * e1 -= (x >= y) ADC EA,-1 */ getlvalue(cdb,&cs,e1,0); // get lvalue modEA(cdb,&cs); regm_t keepmsk = idxregm(&cs); retregs = mPSW; if (OTconv(e2.Eoper)) { scodelem(cdb,e2.EV.E1,&retregs,keepmsk,true); freenode(e2); } else scodelem(cdb,e2,&retregs,keepmsk,true); cs.Iop = 0x81 ^ isbyte; // ADC EA,imm16/32 uint regop = 2; // ADC if ((op == OPaddass) ^ (jop == JC)) regop = 3; // SBB code_newreg(&cs,regop); cs.Iflags |= opsize; if (forccs) cs.Iflags |= CFpsw; cs.IFL2 = FLconst; cs.IEV2.Vsize_t = (jop == JC) ? 0 : ~cast(targ_size_t)0; cdb.gen(&cs); retregs = 0; // to trigger a bug if we attempt to use it } else // evaluate e2 into register { retregs = (isbyte) ? BYTEREGS : ALLREGS; // pick working reg if (tyml == TYhptr) retregs &= ~mCX; // need CX for shift count scodelem(cdb,e.EV.E2,&retregs,0,true); // get rvalue getlvalue(cdb,&cs,e1,retregs); // get lvalue modEA(cdb,&cs); cs.Iop = op1; if (sz <= REGSIZE || tyfv(tyml)) { reg = findreg(retregs); code_newreg(&cs, reg); // OP1 EA,reg if (sz == 1 && reg >= 4 && I64) cs.Irex |= REX; if (forccs) cs.Iflags |= CFpsw; } else if (tyml == TYhptr) { uint mreg = findregmsw(retregs); uint lreg = findreglsw(retregs); getregs(cdb,retregs | mCX); // If h -= l, convert to h += -l if (e.Eoper == OPminass) { cdb.gen2(0xF7,modregrm(3,3,mreg)); // NEG mreg cdb.gen2(0xF7,modregrm(3,3,lreg)); // NEG lreg code_orflag(cdb.last(),CFpsw); cdb.genc2(0x81,modregrm(3,3,mreg),0); // SBB mreg,0 } cs.Iop = 0x01; cs.Irm |= modregrm(0,lreg,0); cdb.gen(&cs); // ADD EA,lreg code_orflag(cdb.last(),CFpsw); cdb.genc2(0x81,modregrm(3,2,mreg),0); // ADC mreg,0 genshift(cdb); // MOV CX,offset __AHSHIFT cdb.gen2(0xD3,modregrm(3,4,mreg)); // SHL mreg,CL NEWREG(cs.Irm,mreg); // ADD EA+2,mreg getlvalue_msw(&cs); } else if (sz == 2 * REGSIZE) { cs.Irm |= modregrm(0,findreglsw(retregs),0); cdb.gen(&cs); // OP1 EA,reg+1 code_orflag(cdb.last(),cflags); cs.Iop = op2; NEWREG(cs.Irm,findregmsw(retregs)); // OP2 EA+1,reg getlvalue_msw(&cs); } else assert(0); cdb.gen(&cs); retregs = 0; // to trigger a bug if we attempt to use it } // See if we need to reload result into a register. // Need result in registers in case we have a 32 bit // result and we want the flags as a result. if (wantres || (sz > REGSIZE && forccs)) { if (sz <= REGSIZE) { regm_t possregs; possregs = ALLREGS; if (isbyte) possregs = BYTEREGS; retregs = forregs & possregs; if (!retregs) retregs = possregs; // If reg field is destination if (cs.Iop & 2 && cs.Iop < 0x40 && (cs.Iop & 7) <= 5) { reg = (cs.Irm >> 3) & 7; if (cs.Irex & REX_R) reg |= 8; retregs = mask(reg); allocreg(cdb,&retregs,&reg,tyml); } // If lvalue is a register, just use that register else if ((cs.Irm & 0xC0) == 0xC0) { reg = cs.Irm & 7; if (cs.Irex & REX_B) reg |= 8; retregs = mask(reg); allocreg(cdb,&retregs,&reg,tyml); } else { allocreg(cdb,&retregs,&reg,tyml); cs.Iop = LOD ^ isbyte ^ reverse; code_newreg(&cs, reg); if (I64 && isbyte && reg >= 4) cs.Irex |= REX_W; cdb.gen(&cs); // MOV reg,EA } } else if (tyfv(tyml) || tyml == TYhptr) { regm_t idxregs; if (tyml == TYhptr) getlvalue_lsw(&cs); idxregs = idxregm(&cs); retregs = forregs & ~idxregs; if (!(retregs & IDXREGS)) retregs |= IDXREGS & ~idxregs; if (!(retregs & mMSW)) retregs |= mMSW & ALLREGS; allocreg(cdb,&retregs,&reg,tyml); NEWREG(cs.Irm,findreglsw(retregs)); if (retregs & mES) // if want ES loaded { cs.Iop = 0xC4; cdb.gen(&cs); // LES lreg,EA } else { cs.Iop = LOD; cdb.gen(&cs); // MOV lreg,EA getlvalue_msw(&cs); if (I32) cs.Iflags |= CFopsize; NEWREG(cs.Irm,reg); cdb.gen(&cs); // MOV mreg,EA+2 } } else if (sz == 2 * REGSIZE) { regm_t idx = idxregm(&cs); retregs = forregs; if (!retregs) retregs = ALLREGS; allocreg(cdb,&retregs,&reg,tyml); cs.Iop = LOD; NEWREG(cs.Irm,reg); code csl = cs; NEWREG(csl.Irm,findreglsw(retregs)); getlvalue_lsw(&csl); if (mask(reg) & idx) { cdb.gen(&csl); // MOV reg+1,EA cdb.gen(&cs); // MOV reg,EA+2 } else { cdb.gen(&cs); // MOV reg,EA+2 cdb.gen(&csl); // MOV reg+1,EA } } else assert(0); if (e1.Ecount) // if we gen a CSE cssave(e1,retregs,!OTleaf(e1.Eoper)); } freenode(e1); if (sz <= REGSIZE) *pretregs &= ~mPSW; // flags are already set fixresult(cdb,e,retregs,pretregs); } /******************************** * Generate code for *= */ void cdmulass(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { code cs; regm_t retregs; reg_t resreg; uint opr,isbyte; //printf("cdmulass(e=%p, *pretregs = %s)\n",e,regm_str(*pretregs)); elem *e1 = e.EV.E1; elem *e2 = e.EV.E2; OPER op = e.Eoper; // OPxxxx tym_t tyml = tybasic(e1.Ety); // type of lvalue char uns = tyuns(tyml) || tyuns(e2.Ety); uint sz = _tysize[tyml]; uint rex = (I64 && sz == 8) ? REX_W : 0; uint grex = rex << 16; // 64 bit operands // See if evaluate in XMM registers if (config.fpxmmregs && tyxmmreg(tyml) && !(*pretregs & mST0)) { xmmopass(cdb,e,pretregs); return; } if (tyfloating(tyml)) { static if (TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { opass87(cdb,e,pretregs); } else { opassdbl(cdb,e,pretregs,op); } return; } if (sz <= REGSIZE) // if word or byte { if (e2.Eoper == OPconst && (I32 || I64) && el_signx32(e2) && sz >= 4) { // See if we can use an LEA instruction int ss; int ss2 = 0; int shift; targ_size_t e2factor = cast(targ_size_t)el_tolong(e2); switch (e2factor) { case 12: ss = 1; ss2 = 2; goto L4; case 24: ss = 1; ss2 = 3; goto L4; case 6: case 3: ss = 1; goto L4; case 20: ss = 2; ss2 = 2; goto L4; case 40: ss = 2; ss2 = 3; goto L4; case 10: case 5: ss = 2; goto L4; case 36: ss = 3; ss2 = 2; goto L4; case 72: ss = 3; ss2 = 3; goto L4; case 18: case 9: ss = 3; goto L4; L4: { getlvalue(cdb,&cs,e1,0); // get EA modEA(cdb,&cs); freenode(e2); regm_t idxregs = idxregm(&cs); regm_t regm = *pretregs & ~(idxregs | mBP | mR13); // don't use EBP if (!regm) regm = allregs & ~(idxregs | mBP | mR13); reg_t reg; allocreg(cdb,&regm,&reg,tyml); cs.Iop = LOD; code_newreg(&cs,reg); cs.Irex |= rex; cdb.gen(&cs); // MOV reg,EA assert((reg & 7) != BP); cdb.gen2sib(LEA,grex | modregxrm(0,reg,4), modregxrmx(ss,reg,reg)); // LEA reg,[ss*reg][reg] if (ss2) { cdb.gen2sib(LEA,grex | modregxrm(0,reg,4), modregxrm(ss2,reg,5)); cdb.last().IFL1 = FLconst; cdb.last().IEV1.Vint = 0; // LEA reg,0[ss2*reg] } else if (!(e2factor & 1)) // if even factor { genregs(cdb,0x03,reg,reg); // ADD reg,reg code_orrex(cdb.last(),rex); } opAssStoreReg(cdb,cs,e,reg,pretregs); return; } case 37: case 74: shift = 2; goto L5; case 13: case 26: shift = 0; goto L5; L5: { getlvalue(cdb,&cs,e1,0); // get EA modEA(cdb,&cs); freenode(e2); regm_t idxregs = idxregm(&cs); regm_t regm = *pretregs & ~(idxregs | mBP | mR13); // don't use EBP if (!regm) regm = allregs & ~(idxregs | mBP | mR13); reg_t reg; // return register allocreg(cdb,&regm,&reg,tyml); reg_t sreg = allocScratchReg(cdb, allregs & ~(regm | idxregs | mBP | mR13)); cs.Iop = LOD; code_newreg(&cs,sreg); cs.Irex |= rex; cdb.gen(&cs); // MOV sreg,EA assert((sreg & 7) != BP); assert((reg & 7) != BP); cdb.gen2sib(LEA,grex | modregxrm(0,reg,4), modregxrmx(2,sreg,sreg)); // LEA reg,[sreg*4][sreg] if (shift) cdb.genc2(0xC1,grex | modregrmx(3,4,sreg),shift); // SHL sreg,shift cdb.gen2sib(LEA,grex | modregxrm(0,reg,4), modregxrmx(3,sreg,reg)); // LEA reg,[sreg*8][reg] if (!(e2factor & 1)) // if even factor { genregs(cdb,0x03,reg,reg); // ADD reg,reg code_orrex(cdb.last(),rex); } opAssStoreReg(cdb,cs,e,reg,pretregs); return; } default: break; } } isbyte = (sz == 1); // 1 for byte operation if (config.target_cpu >= TARGET_80286 && e2.Eoper == OPconst && !isbyte) { targ_size_t e2factor = cast(targ_size_t)el_tolong(e2); if (I64 && sz == 8 && e2factor != cast(int)e2factor) goto L1; freenode(e2); getlvalue(cdb,&cs,e1,0); // get EA regm_t idxregs = idxregm(&cs); retregs = *pretregs & (ALLREGS | mBP) & ~idxregs; if (!retregs) retregs = ALLREGS & ~idxregs; allocreg(cdb,&retregs,&resreg,tyml); cs.Iop = 0x69; // IMUL reg,EA,e2value cs.IFL2 = FLconst; cs.IEV2.Vint = cast(int)e2factor; opr = resreg; } else if (!I16 && !isbyte) { L1: retregs = *pretregs & (ALLREGS | mBP); if (!retregs) retregs = ALLREGS; codelem(cdb,e2,&retregs,false); // load rvalue in reg getlvalue(cdb,&cs,e1,retregs); // get EA getregs(cdb,retregs); // destroy these regs cs.Iop = 0x0FAF; // IMUL resreg,EA resreg = findreg(retregs); opr = resreg; } else { retregs = mAX; codelem(cdb,e2,&retregs,false); // load rvalue in AX getlvalue(cdb,&cs,e1,mAX); // get EA getregs(cdb,isbyte ? mAX : mAX | mDX); // destroy these regs cs.Iop = 0xF7 ^ isbyte; // [I]MUL EA opr = uns ? 4 : 5; // MUL/IMUL resreg = AX; // result register for * } code_newreg(&cs,opr); cdb.gen(&cs); opAssStoreReg(cdb, cs, e, resreg, pretregs); return; } else if (sz == 2 * REGSIZE) { if (e2.Eoper == OPconst && I32) { /* if (msw) IMUL EDX,EDX,lsw IMUL reg,EAX,msw ADD reg,EDX else IMUL reg,EDX,lsw MOV EDX,lsw MUL EDX ADD EDX,reg */ freenode(e2); retregs = mDX|mAX; reg_t rhi, rlo; opAssLoadPair(cdb, cs, e, rhi, rlo, retregs, 0); const regm_t keepmsk = idxregm(&cs); reg_t reg = allocScratchReg(cdb, allregs & ~(retregs | keepmsk)); targ_size_t e2factor = cast(targ_size_t)el_tolong(e2); const lsw = cast(targ_int)(e2factor & ((1L << (REGSIZE * 8)) - 1)); const msw = cast(targ_int)(e2factor >> (REGSIZE * 8)); if (msw) { genmulimm(cdb,DX,DX,lsw); // IMUL EDX,EDX,lsw genmulimm(cdb,reg,AX,msw); // IMUL reg,EAX,msw cdb.gen2(0x03,modregrm(3,reg,DX)); // ADD reg,EAX } else genmulimm(cdb,reg,DX,lsw); // IMUL reg,EDX,lsw movregconst(cdb,DX,lsw,0); // MOV EDX,lsw getregs(cdb,mDX); cdb.gen2(0xF7,modregrm(3,4,DX)); // MUL EDX cdb.gen2(0x03,modregrm(3,DX,reg)); // ADD EDX,reg } else { retregs = mDX | mAX; regm_t rretregs = (config.target_cpu >= TARGET_PentiumPro) ? allregs & ~retregs : mCX | mBX; codelem(cdb,e2,&rretregs,false); getlvalue(cdb,&cs,e1,retregs | rretregs); getregs(cdb,retregs); cs.Iop = LOD; cdb.gen(&cs); // MOV AX,EA getlvalue_msw(&cs); cs.Irm |= modregrm(0,DX,0); cdb.gen(&cs); // MOV DX,EA+2 getlvalue_lsw(&cs); if (config.target_cpu >= TARGET_PentiumPro) { regm_t rlo = findreglsw(rretregs); regm_t rhi = findregmsw(rretregs); /* IMUL rhi,EAX IMUL EDX,rlo ADD rhi,EDX MUL rlo ADD EDX,Erhi */ getregs(cdb,mAX|mDX|mask(rhi)); cdb.gen2(0x0FAF,modregrm(3,rhi,AX)); cdb.gen2(0x0FAF,modregrm(3,DX,rlo)); cdb.gen2(0x03,modregrm(3,rhi,DX)); cdb.gen2(0xF7,modregrm(3,4,rlo)); cdb.gen2(0x03,modregrm(3,DX,rhi)); } else { callclib(cdb,e,CLIB.lmul,&retregs,idxregm(&cs)); } } opAssStorePair(cdb, cs, e, findregmsw(retregs), findreglsw(retregs), pretregs); return; } else { assert(0); } } /******************************** * Generate code for /= %= */ void cddivass(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { elem *e1 = e.EV.E1; elem *e2 = e.EV.E2; tym_t tyml = tybasic(e1.Ety); // type of lvalue OPER op = e.Eoper; // OPxxxx // See if evaluate in XMM registers if (config.fpxmmregs && tyxmmreg(tyml) && op != OPmodass && !(*pretregs & mST0)) { xmmopass(cdb,e,pretregs); return; } if (tyfloating(tyml)) { static if (TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { opass87(cdb,e,pretregs); } else { opassdbl(cdb,e,pretregs,op); } return; } code cs = void; //printf("cddivass(e=%p, *pretregs = %s)\n",e,regm_str(*pretregs)); char uns = tyuns(tyml) || tyuns(e2.Ety); uint sz = _tysize[tyml]; uint rex = (I64 && sz == 8) ? REX_W : 0; uint grex = rex << 16; // 64 bit operands if (sz <= REGSIZE) // if word or byte { uint isbyte = (sz == 1); // 1 for byte operation reg_t resreg; targ_size_t e2factor; targ_size_t d; bool neg; int pow2; assert(!isbyte); // should never happen assert(I16 || sz != SHORTSIZE); if (e2.Eoper == OPconst) { e2factor = cast(targ_size_t)el_tolong(e2); pow2 = ispow2(e2factor); d = e2factor; if (!uns && cast(targ_llong)e2factor < 0) { neg = true; d = -d; } } // Signed divide by a constant if (config.flags4 & CFG4speed && e2.Eoper == OPconst && !uns && (d & (d - 1)) && ((I32 && sz == 4) || (I64 && (sz == 4 || sz == 8)))) { /* R1 / 10 * * MOV EAX,m * IMUL R1 * MOV EAX,R1 * SAR EAX,31 * SAR EDX,shpost * SUB EDX,EAX * IMUL EAX,EDX,d * SUB R1,EAX * * EDX = quotient * R1 = remainder */ assert(sz == 4 || sz == 8); ulong m; int shpost; const int N = sz * 8; const bool mhighbit = choose_multiplier(N, d, N - 1, &m, &shpost); freenode(e2); getlvalue(cdb,&cs,e1,mAX | mDX); reg_t reg; opAssLoadReg(cdb, cs, e, reg, allregs & ~( mAX | mDX | idxregm(&cs))); // MOV reg,EA getregs(cdb, mAX|mDX); /* Algorithm 5.2 * if m>=2**(N-1) * q = SRA(n + MULSH(m-2**N,n), shpost) - XSIGN(n) * else * q = SRA(MULSH(m,n), shpost) - XSIGN(n) * if (neg) * q = -q */ const bool mgt = mhighbit || m >= (1UL << (N - 1)); movregconst(cdb, AX, cast(targ_size_t)m, (sz == 8) ? 0x40 : 0); // MOV EAX,m cdb.gen2(0xF7,grex | modregrmx(3,5,reg)); // IMUL reg if (mgt) cdb.gen2(0x03,grex | modregrmx(3,DX,reg)); // ADD EDX,reg getregsNoSave(mAX); // EAX no longer contains 'm' genmovreg(cdb, AX, reg); // MOV EAX,reg cdb.genc2(0xC1,grex | modregrm(3,7,AX),sz * 8 - 1); // SAR EAX,31 if (shpost) cdb.genc2(0xC1,grex | modregrm(3,7,DX),shpost); // SAR EDX,shpost reg_t r3; if (neg && op == OPdivass) { cdb.gen2(0x2B,grex | modregrm(3,AX,DX)); // SUB EAX,EDX r3 = AX; } else { cdb.gen2(0x2B,grex | modregrm(3,DX,AX)); // SUB EDX,EAX r3 = DX; } // r3 is quotient reg_t resregx; switch (op) { case OPdivass: resregx = r3; break; case OPmodass: assert(reg != AX && r3 == DX); if (sz == 4 || (sz == 8 && cast(targ_long)d == d)) { cdb.genc2(0x69,grex | modregrm(3,AX,DX),d); // IMUL EAX,EDX,d } else { movregconst(cdb,AX,d,(sz == 8) ? 0x40 : 0); // MOV EAX,d cdb.gen2(0x0FAF,grex | modregrmx(3,AX,DX)); // IMUL EAX,EDX getregsNoSave(mAX); // EAX no longer contains 'd' } cdb.gen2(0x2B,grex | modregxrm(3,reg,AX)); // SUB R1,EAX resregx = reg; break; default: assert(0); } opAssStoreReg(cdb, cs, e, resregx, pretregs); return; } // Unsigned divide by a constant void unsignedDivideByConstant(ref CodeBuilder cdb) { assert(sz == 4 || sz == 8); reg_t r3; reg_t reg; ulong m; int shpre; int shpost; code cs = void; if (udiv_coefficients(sz * 8, e2factor, &shpre, &m, &shpost)) { /* t1 = MULUH(m, n) * q = SRL(t1 + SRL(n - t1, 1), shpost - 1) * MOV EAX,reg * MOV EDX,m * MUL EDX * MOV EAX,reg * SUB EAX,EDX * SHR EAX,1 * LEA R3,[EAX][EDX] * SHR R3,shpost-1 */ assert(shpre == 0); freenode(e2); getlvalue(cdb,&cs,e1,mAX | mDX); regm_t idxregs = idxregm(&cs); opAssLoadReg(cdb, cs, e, reg, allregs & ~(mAX|mDX | idxregs)); // MOV reg,EA getregs(cdb, mAX|mDX); genmovreg(cdb,AX,reg); // MOV EAX,reg movregconst(cdb, DX, cast(targ_size_t)m, (sz == 8) ? 0x40 : 0); // MOV EDX,m getregs(cdb,mask(reg) | mDX | mAX); cdb.gen2(0xF7,grex | modregrmx(3,4,DX)); // MUL EDX genmovreg(cdb,AX,reg); // MOV EAX,reg cdb.gen2(0x2B,grex | modregrm(3,AX,DX)); // SUB EAX,EDX cdb.genc2(0xC1,grex | modregrm(3,5,AX),1); // SHR EAX,1 regm_t regm3 = allregs & ~idxregs; if (op == OPmodass) { regm3 &= ~mask(reg); if (!el_signx32(e2)) regm3 &= ~mAX; } allocreg(cdb,&regm3,&r3,TYint); cdb.gen2sib(LEA,grex | modregxrm(0,r3,4),modregrm(0,AX,DX)); // LEA R3,[EAX][EDX] if (shpost != 1) cdb.genc2(0xC1,grex | modregrmx(3,5,r3),shpost-1); // SHR R3,shpost-1 } else { /* q = SRL(MULUH(m, SRL(n, shpre)), shpost) * SHR EAX,shpre * MOV reg,m * MUL reg * SHR EDX,shpost */ freenode(e2); getlvalue(cdb,&cs,e1,mAX | mDX); regm_t idxregs = idxregm(&cs); opAssLoadReg(cdb, cs, e, reg, allregs & ~(mAX|mDX | idxregs)); // MOV reg,EA getregs(cdb, mAX|mDX); if (reg != AX) { getregs(cdb,mAX); genmovreg(cdb,AX,reg); // MOV EAX,reg } if (shpre) { getregs(cdb,mAX); cdb.genc2(0xC1,grex | modregrm(3,5,AX),shpre); // SHR EAX,shpre } getregs(cdb,mDX); movregconst(cdb, DX, cast(targ_size_t)m, (sz == 8) ? 0x40 : 0); // MOV EDX,m getregs(cdb,mDX | mAX); cdb.gen2(0xF7,grex | modregrmx(3,4,DX)); // MUL EDX if (shpost) cdb.genc2(0xC1,grex | modregrm(3,5,DX),shpost); // SHR EDX,shpost r3 = DX; } reg_t resregx; switch (op) { case OPdivass: // r3 = quotient resregx = r3; break; case OPmodass: /* reg = original value * r3 = quotient */ assert(reg != AX); if (el_signx32(e2)) { cdb.genc2(0x69,grex | modregrmx(3,AX,r3),e2factor); // IMUL EAX,r3,e2factor } else { assert(!(mask(r3) & mAX)); movregconst(cdb,AX,e2factor,(sz == 8) ? 0x40 : 0); // MOV EAX,e2factor getregs(cdb,mAX); cdb.gen2(0x0FAF,grex | modregrmx(3,AX,r3)); // IMUL EAX,r3 } getregs(cdb,mask(reg)); cdb.gen2(0x2B,grex | modregxrm(3,reg,AX)); // SUB reg,EAX resregx = reg; break; default: assert(0); } opAssStoreReg(cdb, cs, e, resregx, pretregs); return; } if (config.flags4 & CFG4speed && e2.Eoper == OPconst && uns && e2factor > 2 && (e2factor & (e2factor - 1)) && ((I32 && sz == 4) || (I64 && (sz == 4 || sz == 8)))) { unsignedDivideByConstant(cdb); return; } if (config.flags4 & CFG4speed && e2.Eoper == OPconst && !uns && (sz == REGSIZE || (I64 && sz == 4)) && pow2 != -1 && e2factor == cast(int)e2factor && !(config.target_cpu < TARGET_80286 && pow2 != 1 && op == OPdivass) ) { freenode(e2); if (pow2 == 1 && op == OPdivass && config.target_cpu > TARGET_80386) { /* This is better than the code further down because it is * not constrained to using AX and DX. */ getlvalue(cdb,&cs,e1,0); regm_t idxregs = idxregm(&cs); reg_t reg; opAssLoadReg(cdb,cs,e,reg,allregs & ~idxregs); // MOV reg,EA reg_t r = allocScratchReg(cdb, allregs & ~(idxregs | mask(reg))); genmovreg(cdb,r,reg); // MOV r,reg cdb.genc2(0xC1,grex | modregxrmx(3,5,r),(sz * 8 - 1)); // SHR r,31 cdb.gen2(0x03,grex | modregxrmx(3,reg,r)); // ADD reg,r cdb.gen2(0xD1,grex | modregrmx(3,7,reg)); // SAR reg,1 opAssStoreReg(cdb, cs, e, reg, pretregs); return; } // Signed divide or modulo by power of 2 getlvalue(cdb,&cs,e1,mAX | mDX); reg_t reg; opAssLoadReg(cdb,cs,e,reg,mAX); getregs(cdb,mDX); // DX is scratch register cdb.gen1(0x99); // CWD code_orrex(cdb.last(), rex); if (pow2 == 1) { if (op == OPdivass) { cdb.gen2(0x2B,grex | modregrm(3,AX,DX)); // SUB AX,DX cdb.gen2(0xD1,grex | modregrm(3,7,AX)); // SAR AX,1 resreg = AX; } else // OPmod { cdb.gen2(0x33,grex | modregrm(3,AX,DX)); // XOR AX,DX cdb.genc2(0x81,grex | modregrm(3,4,AX),1); // AND AX,1 cdb.gen2(0x03,grex | modregrm(3,DX,AX)); // ADD DX,AX resreg = DX; } } else { assert(pow2 < 32); targ_ulong m = (1 << pow2) - 1; if (op == OPdivass) { cdb.genc2(0x81,grex | modregrm(3,4,DX),m); // AND DX,m cdb.gen2(0x03,grex | modregrm(3,AX,DX)); // ADD AX,DX // Be careful not to generate this for 8088 assert(config.target_cpu >= TARGET_80286); cdb.genc2(0xC1,grex | modregrm(3,7,AX),pow2); // SAR AX,pow2 resreg = AX; } else // OPmodass { cdb.gen2(0x33,grex | modregrm(3,AX,DX)); // XOR AX,DX cdb.gen2(0x2B,grex | modregrm(3,AX,DX)); // SUB AX,DX cdb.genc2(0x81,grex | modregrm(3,4,AX),m); // AND AX,m cdb.gen2(0x33,grex | modregrm(3,AX,DX)); // XOR AX,DX cdb.gen2(0x2B,grex | modregrm(3,AX,DX)); // SUB AX,DX resreg = AX; } } } else { regm_t retregs = ALLREGS & ~(mAX|mDX); // DX gets sign extension codelem(cdb,e2,&retregs,false); // load rvalue in retregs reg_t reg = findreg(retregs); getlvalue(cdb,&cs,e1,mAX | mDX | retregs); // get EA getregs(cdb,mAX | mDX); // destroy these regs cs.Irm |= modregrm(0,AX,0); cs.Iop = LOD; cdb.gen(&cs); // MOV AX,EA if (uns) // if uint movregconst(cdb,DX,0,0); // CLR DX else // else signed { cdb.gen1(0x99); // CWD code_orrex(cdb.last(),rex); } getregs(cdb,mDX | mAX); // DX and AX will be destroyed const uint opr = uns ? 6 : 7; // DIV/IDIV genregs(cdb,0xF7,opr,reg); // OPR reg code_orrex(cdb.last(),rex); resreg = (op == OPmodass) ? DX : AX; // result register } opAssStoreReg(cdb, cs, e, resreg, pretregs); return; } assert(sz == 2 * REGSIZE); targ_size_t e2factor; int pow2; if (e2.Eoper == OPconst) { e2factor = cast(targ_size_t)el_tolong(e2); pow2 = ispow2(e2factor); } // Register pair signed divide by power of 2 if (op == OPdivass && !uns && e.Eoper == OPconst && pow2 != -1 && I32 // not set up for I16 or I64 cent ) { freenode(e2); regm_t retregs = mDX|mAX | mCX|mBX; // LSW must be byte reg because of later SETZ reg_t rhi, rlo; opAssLoadPair(cdb, cs, e, rhi, rlo, retregs, 0); const regm_t keepmsk = idxregm(&cs); retregs = mask(rhi) | mask(rlo); if (pow2 < 32) { reg_t r1 = allocScratchReg(cdb, allregs & ~(retregs | keepmsk)); genmovreg(cdb,r1,rhi); // MOV r1,rhi if (pow2 == 1) cdb.genc2(0xC1,grex | modregrmx(3,5,r1),REGSIZE * 8 - 1); // SHR r1,31 else { cdb.genc2(0xC1,grex | modregrmx(3,7,r1),REGSIZE * 8 - 1); // SAR r1,31 cdb.genc2(0x81,grex | modregrmx(3,4,r1),(1 << pow2) - 1); // AND r1,mask } cdb.gen2(0x03,grex | modregxrmx(3,rlo,r1)); // ADD rlo,r1 cdb.genc2(0x81,grex | modregxrmx(3,2,rhi),0); // ADC rhi,0 cdb.genc2(0x0FAC,grex | modregrm(3,rhi,rlo),pow2); // SHRD rlo,rhi,pow2 cdb.genc2(0xC1,grex | modregrmx(3,7,rhi),pow2); // SAR rhi,pow2 } else if (pow2 == 32) { reg_t r1 = allocScratchReg(cdb, allregs & ~(retregs | keepmsk)); genmovreg(cdb,r1,rhi); // MOV r1,rhi cdb.genc2(0xC1,grex | modregrmx(3,7,r1),REGSIZE * 8 - 1); // SAR r1,31 cdb.gen2(0x03,grex | modregxrmx(3,rlo,r1)); // ADD rlo,r1 cdb.genc2(0x81,grex | modregxrmx(3,2,rhi),0); // ADC rhi,0 cdb.genmovreg(rlo,rhi); // MOV rlo,rhi cdb.genc2(0xC1,grex | modregrmx(3,7,rhi),REGSIZE * 8 - 1); // SAR rhi,31 } else if (pow2 < 63) { reg_t r1 = allocScratchReg(cdb, allregs & ~(retregs | keepmsk)); reg_t r2 = allocScratchReg(cdb, allregs & ~(retregs | keepmsk | mask(r1))); genmovreg(cdb,r1,rhi); // MOV r1,rhi cdb.genc2(0xC1,grex | modregrmx(3,7,r1),REGSIZE * 8 - 1); // SAR r1,31 cdb.genmovreg(r2,r1); // MOV r2,r1 if (pow2 == 33) { cdb.gen2(0xF7,modregrmx(3,3,r1)); // NEG r1 cdb.gen2(0x03,grex | modregxrmx(3,rlo,r2)); // ADD rlo,r2 cdb.gen2(0x13,grex | modregxrmx(3,rhi,r1)); // ADC rhi,r1 } else { cdb.genc2(0x81,grex | modregrmx(3,4,r2),(1 << (pow2-32)) - 1); // AND r2,mask cdb.gen2(0x03,grex | modregxrmx(3,rlo,r1)); // ADD rlo,r1 cdb.gen2(0x13,grex | modregxrmx(3,rhi,r2)); // ADC rhi,r2 } cdb.genmovreg(rlo,rhi); // MOV rlo,rhi cdb.genc2(0xC1,grex | modregrmx(3,7,rlo),pow2 - 32); // SAR rlo,pow2-32 cdb.genc2(0xC1,grex | modregrmx(3,7,rhi),REGSIZE * 8 - 1); // SAR rhi,31 } else { // This may be better done by cgelem.d assert(pow2 == 63); assert(mask(rlo) & BYTEREGS); // for SETZ cdb.genc2(0x81,grex | modregrmx(3,4,rhi),0x8000_0000); // ADD rhi,0x8000_000 cdb.genregs(0x09,rlo,rhi); // OR rlo,rhi cdb.gen2(0x0F94,modregrmx(3,0,rlo)); // SETZ rlo cdb.genregs(MOVZXb,rlo,rlo); // MOVZX rlo,rloL movregconst(cdb,rhi,0,0); // MOV rhi,0 } opAssStorePair(cdb, cs, e, rlo, rhi, pretregs); return; } // Register pair signed modulo by power of 2 if (op == OPmodass && !uns && e.Eoper == OPconst && pow2 != -1 && I32 // not set up for I64 cent yet ) { freenode(e2); regm_t retregs = mDX|mAX; reg_t rhi, rlo; opAssLoadPair(cdb, cs, e, rhi, rlo, retregs, 0); const regm_t keepmsk = idxregm(&cs); regm_t scratchm = allregs & ~(retregs | keepmsk); if (pow2 == 63) scratchm &= BYTEREGS; // because of SETZ reg_t r1 = allocScratchReg(cdb, scratchm); if (pow2 < 32) { cdb.genmovreg(r1,rhi); // MOV r1,rhi cdb.genc2(0xC1,grex | modregrmx(3,7,r1),REGSIZE * 8 - 1); // SAR r1,31 cdb.gen2(0x33,grex | modregxrmx(3,rlo,r1)); // XOR rlo,r1 cdb.gen2(0x2B,grex | modregxrmx(3,rlo,r1)); // SUB rlo,r1 cdb.genc2(0x81,grex | modregrmx(3,4,rlo),(1<<pow2)-1); // AND rlo,(1<<pow2)-1 cdb.gen2(0x33,grex | modregxrmx(3,rlo,r1)); // XOR rlo,r1 cdb.gen2(0x2B,grex | modregxrmx(3,rlo,r1)); // SUB rlo,r1 cdb.gen2(0x1B,grex | modregxrmx(3,rhi,rhi)); // SBB rhi,rhi } else if (pow2 == 32) { cdb.genmovreg(r1,rhi); // MOV r1,rhi cdb.genc2(0xC1,grex | modregrmx(3,7,r1),REGSIZE * 8 - 1); // SAR r1,31 cdb.gen2(0x03,grex | modregxrmx(3,rlo,r1)); // ADD rlo,r1 cdb.gen2(0x2B,grex | modregxrmx(3,rlo,r1)); // SUB rlo,r1 cdb.gen2(0x1B,grex | modregxrmx(3,rhi,rhi)); // SBB rhi,rhi } else if (pow2 < 63) { scratchm = allregs & ~(retregs | scratchm); reg_t r2; allocreg(cdb,&scratchm,&r2,TYint); cdb.genmovreg(r1,rhi); // MOV r1,rhi cdb.genc2(0xC1,grex | modregrmx(3,7,r1),REGSIZE * 8 - 1); // SAR r1,31 cdb.genmovreg(r2,r1); // MOV r2,r1 cdb.genc2(0x0FAC,grex | modregrm(3,r2,r1),64-pow2); // SHRD r1,r2,64-pow2 cdb.genc2(0xC1,grex | modregrmx(3,5,r2),64-pow2); // SHR r2,64-pow2 cdb.gen2(0x03,grex | modregxrmx(3,rlo,r1)); // ADD rlo,r1 cdb.gen2(0x13,grex | modregxrmx(3,rhi,r2)); // ADC rhi,r2 cdb.genc2(0x81,grex | modregrmx(3,4,rhi),(1<<(pow2-32))-1); // AND rhi,(1<<(pow2-32))-1 cdb.gen2(0x2B,grex | modregxrmx(3,rlo,r1)); // SUB rlo,r1 cdb.gen2(0x1B,grex | modregxrmx(3,rhi,r2)); // SBB rhi,r2 } else { // This may be better done by cgelem.d assert(pow2 == 63); cdb.genc1(LEA,grex | modregxrmx(2,r1,rhi), FLconst, 0x8000_0000); // LEA r1,0x8000_0000[rhi] cdb.gen2(0x0B,grex | modregxrmx(3,r1,rlo)); // OR r1,rlo cdb.gen2(0x0F94,modregrmx(3,0,r1)); // SETZ r1 cdb.genc2(0xC1,grex | modregrmx(3,4,r1),REGSIZE * 8 - 1); // SHL r1,31 cdb.gen2(0x2B,grex | modregxrmx(3,rhi,r1)); // SUB rhi,r1 } opAssStorePair(cdb, cs, e, rlo, rhi, pretregs); return; } regm_t rretregs = mCX|mBX; codelem(cdb,e2,&rretregs,false); // load e2 into CX|BX reg_t rlo; reg_t rhi; opAssLoadPair(cdb, cs, e, rhi, rlo, mDX|mAX, rretregs); regm_t retregs = (op == OPmodass) ? mCX|mBX : mDX|mAX; uint lib = uns ? CLIB.uldiv : CLIB.ldiv; if (op == OPmodass) ++lib; callclib(cdb,e,lib,&retregs,idxregm(&cs)); opAssStorePair(cdb, cs, e, findregmsw(retregs), findreglsw(retregs), pretregs); } /******************************** * Generate code for <<= and >>= */ void cdshass(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { code cs; regm_t retregs; uint op1,op2; reg_t reg; elem *e1 = e.EV.E1; elem *e2 = e.EV.E2; tym_t tyml = tybasic(e1.Ety); // type of lvalue uint sz = _tysize[tyml]; uint isbyte = tybyte(e.Ety) != 0; // 1 for byte operations tym_t tym = tybasic(e.Ety); // type of result OPER oper = e.Eoper; assert(tysize(e2.Ety) <= REGSIZE); uint rex = (I64 && sz == 8) ? REX_W : 0; // if our lvalue is a cse, make sure we evaluate for result in register if (e1.Ecount && !(*pretregs & (ALLREGS | mBP)) && !isregvar(e1,&retregs,&reg)) *pretregs |= ALLREGS; version (SCPP) { // Do this until the rest of the compiler does OPshr/OPashr correctly if (oper == OPshrass) oper = tyuns(tyml) ? OPshrass : OPashrass; } // Select opcodes. op2 is used for msw for long shifts. switch (oper) { case OPshlass: op1 = 4; // SHL op2 = 2; // RCL break; case OPshrass: op1 = 5; // SHR op2 = 3; // RCR break; case OPashrass: op1 = 7; // SAR op2 = 3; // RCR break; default: assert(0); } uint v = 0xD3; // for SHIFT xx,CL cases uint loopcnt = 1; uint conste2 = false; uint shiftcnt = 0; // avoid "use before initialized" warnings if (e2.Eoper == OPconst) { conste2 = true; // e2 is a constant shiftcnt = e2.EV.Vint; // byte ordering of host if (config.target_cpu >= TARGET_80286 && sz <= REGSIZE && shiftcnt != 1) v = 0xC1; // SHIFT xx,shiftcnt else if (shiftcnt <= 3) { loopcnt = shiftcnt; v = 0xD1; // SHIFT xx,1 } } if (v == 0xD3) // if COUNT == CL { retregs = mCX; codelem(cdb,e2,&retregs,false); } else freenode(e2); getlvalue(cdb,&cs,e1,mCX); // get lvalue, preserve CX modEA(cdb,&cs); // check for modifying register if (*pretregs == 0 || // if don't return result (*pretregs == mPSW && conste2 && _tysize[tym] <= REGSIZE) || sz > REGSIZE ) { retregs = 0; // value not returned in a register cs.Iop = v ^ isbyte; while (loopcnt--) { NEWREG(cs.Irm,op1); // make sure op1 is first if (sz <= REGSIZE) { if (conste2) { cs.IFL2 = FLconst; cs.IEV2.Vint = shiftcnt; } cdb.gen(&cs); // SHIFT EA,[CL|1] if (*pretregs & mPSW && !loopcnt && conste2) code_orflag(cdb.last(),CFpsw); } else // TYlong { cs.Iop = 0xD1; // plain shift code *ce = gennop(null); // ce: NOP if (v == 0xD3) { getregs(cdb,mCX); if (!conste2) { assert(loopcnt == 0); genjmp(cdb,JCXZ,FLcode,cast(block *) ce); // JCXZ ce } } code *cg; if (oper == OPshlass) { cdb.gen(&cs); // cg: SHIFT EA cg = cdb.last(); code_orflag(cg,CFpsw); getlvalue_msw(&cs); NEWREG(cs.Irm,op2); cdb.gen(&cs); // SHIFT EA getlvalue_lsw(&cs); } else { getlvalue_msw(&cs); cdb.gen(&cs); cg = cdb.last(); code_orflag(cg,CFpsw); NEWREG(cs.Irm,op2); getlvalue_lsw(&cs); cdb.gen(&cs); } if (v == 0xD3) // if building a loop { genjmp(cdb,LOOP,FLcode,cast(block *) cg); // LOOP cg regimmed_set(CX,0); // note that now CX == 0 } cdb.append(ce); } } // If we want the result, we must load it from the EA // into a register. if (sz == 2 * REGSIZE && *pretregs) { retregs = *pretregs & (ALLREGS | mBP); if (retregs) { retregs &= ~idxregm(&cs); allocreg(cdb,&retregs,&reg,tym); cs.Iop = LOD; // be careful not to trash any index regs // do MSW first (which can't be an index reg) getlvalue_msw(&cs); NEWREG(cs.Irm,reg); cdb.gen(&cs); getlvalue_lsw(&cs); reg = findreglsw(retregs); NEWREG(cs.Irm,reg); cdb.gen(&cs); if (*pretregs & mPSW) tstresult(cdb,retregs,tyml,true); } else // flags only { retregs = ALLREGS & ~idxregm(&cs); allocreg(cdb,&retregs,&reg,TYint); cs.Iop = LOD; NEWREG(cs.Irm,reg); cdb.gen(&cs); // MOV reg,EA cs.Iop = 0x0B; // OR reg,EA+2 cs.Iflags |= CFpsw; getlvalue_msw(&cs); cdb.gen(&cs); } } if (e1.Ecount && !(retregs & regcon.mvar)) // if lvalue is a CSE cssave(e1,retregs,!OTleaf(e1.Eoper)); freenode(e1); *pretregs = retregs; return; } else // else must evaluate in register { if (sz <= REGSIZE) { regm_t possregs = ALLREGS & ~mCX & ~idxregm(&cs); if (isbyte) possregs &= BYTEREGS; retregs = *pretregs & possregs; if (retregs == 0) retregs = possregs; allocreg(cdb,&retregs,&reg,tym); cs.Iop = LOD ^ isbyte; code_newreg(&cs, reg); if (isbyte && I64 && (reg >= 4)) cs.Irex |= REX; cdb.gen(&cs); // MOV reg,EA if (!I16) { assert(!isbyte || (mask(reg) & BYTEREGS)); cdb.genc2(v ^ isbyte,modregrmx(3,op1,reg),shiftcnt); if (isbyte && I64 && (reg >= 4)) cdb.last().Irex |= REX; code_orrex(cdb.last(), rex); // We can do a 32 bit shift on a 16 bit operand if // it's a left shift and we're not concerned about // the flags. Remember that flags are not set if // a shift of 0 occurs. if (_tysize[tym] == SHORTSIZE && (oper == OPshrass || oper == OPashrass || (*pretregs & mPSW && conste2))) cdb.last().Iflags |= CFopsize; // 16 bit operand } else { while (loopcnt--) { // Generate shift instructions. cdb.genc2(v ^ isbyte,modregrm(3,op1,reg),shiftcnt); } } if (*pretregs & mPSW && conste2) { assert(shiftcnt); *pretregs &= ~mPSW; // result is already in flags code_orflag(cdb.last(),CFpsw); } opAssStoreReg(cdb,cs,e,reg,pretregs); return; } assert(0); } } /********************************** * Generate code for compares. * Handles lt,gt,le,ge,eqeq,ne for all data types. */ void cdcmp(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { regm_t retregs,rretregs; reg_t reg,rreg; int fl; //printf("cdcmp(e = %p, pretregs = %s)\n",e,regm_str(*pretregs)); // Collect extra parameter. This is pretty ugly... int flag = cdcmp_flag; cdcmp_flag = 0; elem *e1 = e.EV.E1; elem *e2 = e.EV.E2; if (*pretregs == 0) // if don't want result { codelem(cdb,e1,pretregs,false); *pretregs = 0; // in case e1 changed it codelem(cdb,e2,pretregs,false); return; } uint jop = jmpopcode(e); // must be computed before // leaves are free'd uint reverse = 0; OPER op = e.Eoper; assert(OTrel(op)); bool eqorne = (op == OPeqeq) || (op == OPne); tym_t tym = tybasic(e1.Ety); uint sz = _tysize[tym]; uint isbyte = sz == 1; uint rex = (I64 && sz == 8) ? REX_W : 0; uint grex = rex << 16; // 64 bit operands code cs; code *ce; if (tyfloating(tym)) // if floating operation { if (config.fpxmmregs) { retregs = mPSW; if (tyxmmreg(tym)) orthxmm(cdb,e,&retregs); else orth87(cdb,e,&retregs); } else if (config.inline8087) { retregs = mPSW; orth87(cdb,e,&retregs); } else { static if (TARGET_WINDOS) { int clib; retregs = 0; /* skip result for now */ if (iffalse(e2)) /* second operand is constant 0 */ { assert(!eqorne); /* should be OPbool or OPnot */ if (tym == TYfloat) { retregs = FLOATREGS; clib = CLIB.ftst0; } else { retregs = DOUBLEREGS; clib = CLIB.dtst0; } if (rel_exception(op)) clib += CLIB.dtst0exc - CLIB.dtst0; codelem(cdb,e1,&retregs,false); retregs = 0; callclib(cdb,e,clib,&retregs,0); freenode(e2); } else { clib = CLIB.dcmp; if (rel_exception(op)) clib += CLIB.dcmpexc - CLIB.dcmp; opdouble(cdb,e,&retregs,clib); } } else { assert(0); } } goto L3; } /* If it's a signed comparison of longs, we have to call a library */ /* routine, because we don't know the target of the signed branch */ /* (have to set up flags so that jmpopcode() will do it right) */ if (!eqorne && (I16 && tym == TYlong && tybasic(e2.Ety) == TYlong || I32 && tym == TYllong && tybasic(e2.Ety) == TYllong) ) { assert(jop != JC && jop != JNC); retregs = mDX | mAX; codelem(cdb,e1,&retregs,false); retregs = mCX | mBX; scodelem(cdb,e2,&retregs,mDX | mAX,false); if (I16) { retregs = 0; callclib(cdb,e,CLIB.lcmp,&retregs,0); // gross, but it works } else { /* Generate: * CMP EDX,ECX * JNE C1 * XOR EDX,EDX * CMP EAX,EBX * JZ C1 * JA C3 * DEC EDX * JMP C1 * C3: INC EDX * C1: */ getregs(cdb,mDX); genregs(cdb,0x39,CX,DX); // CMP EDX,ECX code *c1 = gennop(null); genjmp(cdb,JNE,FLcode,cast(block *)c1); // JNE C1 movregconst(cdb,DX,0,0); // XOR EDX,EDX genregs(cdb,0x39,BX,AX); // CMP EAX,EBX genjmp(cdb,JE,FLcode,cast(block *)c1); // JZ C1 code *c3 = gen1(null,0x40 + DX); // INC EDX genjmp(cdb,JA,FLcode,cast(block *)c3); // JA C3 cdb.gen1(0x48 + DX); // DEC EDX genjmp(cdb,JMPS,FLcode,cast(block *)c1); // JMP C1 cdb.append(c3); cdb.append(c1); getregs(cdb,mDX); retregs = mPSW; } goto L3; } /* See if we should reverse the comparison, so a JA => JC, and JBE => JNC * (This is already reflected in the jop) */ if ((jop == JC || jop == JNC) && (op == OPgt || op == OPle) && (tyuns(tym) || tyuns(e2.Ety)) ) { // jmpopcode() sez comparison should be reversed assert(e2.Eoper != OPconst && e2.Eoper != OPrelconst); reverse ^= 2; } /* See if we should swap operands */ if (e1.Eoper == OPvar && e2.Eoper == OPvar && evalinregister(e2)) { e1 = e.EV.E2; e2 = e.EV.E1; reverse ^= 2; } retregs = allregs; if (isbyte) retregs = BYTEREGS; ce = null; cs.Iflags = (!I16 && sz == SHORTSIZE) ? CFopsize : 0; cs.Irex = cast(ubyte)rex; if (sz > REGSIZE) ce = gennop(ce); switch (e2.Eoper) { default: L2: scodelem(cdb,e1,&retregs,0,true); // compute left leaf rretregs = allregs & ~retregs; if (isbyte) rretregs &= BYTEREGS; scodelem(cdb,e2,&rretregs,retregs,true); // get right leaf if (sz <= REGSIZE) // CMP reg,rreg { reg = findreg(retregs); // get reg that e1 is in rreg = findreg(rretregs); genregs(cdb,0x3B ^ isbyte ^ reverse,reg,rreg); code_orrex(cdb.last(), rex); if (!I16 && sz == SHORTSIZE) cdb.last().Iflags |= CFopsize; // compare only 16 bits if (I64 && isbyte && (reg >= 4 || rreg >= 4)) cdb.last().Irex |= REX; // address byte registers } else { assert(sz <= 2 * REGSIZE); // Compare MSW, if they're equal then compare the LSW reg = findregmsw(retregs); rreg = findregmsw(rretregs); genregs(cdb,0x3B ^ reverse,reg,rreg); // CMP reg,rreg if (I32 && sz == 6) cdb.last().Iflags |= CFopsize; // seg is only 16 bits else if (I64) code_orrex(cdb.last(), REX_W); genjmp(cdb,JNE,FLcode,cast(block *) ce); // JNE nop reg = findreglsw(retregs); rreg = findreglsw(rretregs); genregs(cdb,0x3B ^ reverse,reg,rreg); // CMP reg,rreg if (I64) code_orrex(cdb.last(), REX_W); } break; case OPrelconst: if (I64 && (config.flags3 & CFG3pic || config.exe == EX_WIN64)) goto L2; fl = el_fl(e2); switch (fl) { case FLfunc: fl = FLextern; // so it won't be self-relative break; case FLdata: case FLudata: case FLextern: if (sz > REGSIZE) // compare against DS, not DGROUP goto L2; break; case FLfardata: break; default: goto L2; } cs.IFL2 = cast(ubyte)fl; cs.IEV2.Vsym = e2.EV.Vsym; if (sz > REGSIZE) { cs.Iflags |= CFseg; cs.IEV2.Voffset = 0; } else { cs.Iflags |= CFoff; cs.IEV2.Voffset = e2.EV.Voffset; } goto L4; case OPconst: // If compare against 0 if (sz <= REGSIZE && *pretregs == mPSW && !boolres(e2) && isregvar(e1,&retregs,&reg) ) { // Just do a TEST instruction genregs(cdb,0x85 ^ isbyte,reg,reg); // TEST reg,reg cdb.last().Iflags |= (cs.Iflags & CFopsize) | CFpsw; code_orrex(cdb.last(), rex); if (I64 && isbyte && reg >= 4) cdb.last().Irex |= REX; // address byte registers retregs = mPSW; break; } if (!tyuns(tym) && !tyuns(e2.Ety) && !boolres(e2) && !(*pretregs & mPSW) && (sz == REGSIZE || (I64 && sz == 4)) && (!I16 || op == OPlt || op == OPge)) { assert(*pretregs & (allregs)); codelem(cdb,e1,pretregs,false); reg = findreg(*pretregs); getregs(cdb,mask(reg)); switch (op) { case OPle: cdb.genc2(0x81,grex | modregrmx(3,0,reg),cast(uint)-1); // ADD reg,-1 code_orflag(cdb.last(), CFpsw); cdb.genc2(0x81,grex | modregrmx(3,2,reg),0); // ADC reg,0 goto oplt; case OPgt: cdb.gen2(0xF7,grex | modregrmx(3,3,reg)); // NEG reg /* Flips the sign bit unless the value is 0 or int.min. Also sets the carry bit when the value is not 0. */ code_orflag(cdb.last(), CFpsw); cdb.genc2(0x81,grex | modregrmx(3,3,reg),0); // SBB reg,0 /* Subtracts the carry bit. This turns int.min into int.max, flipping the sign bit. For other negative and positive values, subtracting 1 doesn't affect the sign bit. For 0, the carry bit is not set, so this does nothing and the sign bit is not affected. */ goto oplt; case OPlt: oplt: // Get the sign bit, i.e. 1 if the value is negative. if (!I16) cdb.genc2(0xC1,grex | modregrmx(3,5,reg),sz * 8 - 1); // SHR reg,31 else { /* 8088-286 do not have a barrel shifter, so use this faster sequence */ genregs(cdb,0xD1,0,reg); // ROL reg,1 reg_t regi; if (reghasvalue(allregs,1,&regi)) genregs(cdb,0x23,reg,regi); // AND reg,regi else cdb.genc2(0x81,modregrm(3,4,reg),1); // AND reg,1 } break; case OPge: genregs(cdb,0xD1,4,reg); // SHL reg,1 code_orrex(cdb.last(),rex); code_orflag(cdb.last(), CFpsw); genregs(cdb,0x19,reg,reg); // SBB reg,reg code_orrex(cdb.last(),rex); if (I64) { cdb.gen2(0xFF,modregrmx(3,0,reg)); // INC reg code_orrex(cdb.last(), rex); } else cdb.gen1(0x40 + reg); // INC reg break; default: assert(0); } freenode(e2); goto ret; } cs.IFL2 = FLconst; if (sz == 16) cs.IEV2.Vsize_t = cast(targ_size_t)e2.EV.Vcent.msw; else if (sz > REGSIZE) cs.IEV2.Vint = cast(int)MSREG(e2.EV.Vllong); else cs.IEV2.Vsize_t = cast(targ_size_t)e2.EV.Vllong; // The cmp immediate relies on sign extension of the 32 bit immediate value if (I64 && sz >= REGSIZE && cs.IEV2.Vsize_t != cast(int)cs.IEV2.Vint) goto L2; L4: cs.Iop = 0x81 ^ isbyte; /* if ((e1 is data or a '*' reference) and it's not a * common subexpression */ if ((e1.Eoper == OPvar && datafl[el_fl(e1)] || e1.Eoper == OPind) && !evalinregister(e1)) { getlvalue(cdb,&cs,e1,RMload); freenode(e1); if (evalinregister(e2)) { retregs = idxregm(&cs); if ((cs.Iflags & CFSEG) == CFes) retregs |= mES; // take no chances rretregs = allregs & ~retregs; if (isbyte) rretregs &= BYTEREGS; scodelem(cdb,e2,&rretregs,retregs,true); cs.Iop = 0x39 ^ isbyte ^ reverse; if (sz > REGSIZE) { rreg = findregmsw(rretregs); cs.Irm |= modregrm(0,rreg,0); getlvalue_msw(&cs); cdb.gen(&cs); // CMP EA+2,rreg if (I32 && sz == 6) cdb.last().Iflags |= CFopsize; // seg is only 16 bits if (I64 && isbyte && rreg >= 4) cdb.last().Irex |= REX; genjmp(cdb,JNE,FLcode,cast(block *) ce); // JNE nop rreg = findreglsw(rretregs); NEWREG(cs.Irm,rreg); getlvalue_lsw(&cs); } else { rreg = findreg(rretregs); code_newreg(&cs, rreg); if (I64 && isbyte && rreg >= 4) cs.Irex |= REX; } } else { cs.Irm |= modregrm(0,7,0); if (sz > REGSIZE) { if (sz == 6) assert(0); if (e2.Eoper == OPrelconst) { cs.Iflags = (cs.Iflags & ~(CFoff | CFseg)) | CFseg; cs.IEV2.Voffset = 0; } getlvalue_msw(&cs); cdb.gen(&cs); // CMP EA+2,const if (!I16 && sz == 6) cdb.last().Iflags |= CFopsize; // seg is only 16 bits genjmp(cdb,JNE,FLcode, cast(block *) ce); // JNE nop if (e2.Eoper == OPconst) cs.IEV2.Vint = cast(int)e2.EV.Vllong; else if (e2.Eoper == OPrelconst) { // Turn off CFseg, on CFoff cs.Iflags ^= CFseg | CFoff; cs.IEV2.Voffset = e2.EV.Voffset; } else assert(0); getlvalue_lsw(&cs); } freenode(e2); } cdb.gen(&cs); break; } if (evalinregister(e2) && !OTassign(e1.Eoper) && !isregvar(e1,null,null)) { regm_t m; m = allregs & ~regcon.mvar; if (isbyte) m &= BYTEREGS; if (m & (m - 1)) // if more than one free register goto L2; } if ((e1.Eoper == OPstrcmp || (OTassign(e1.Eoper) && sz <= REGSIZE)) && !boolres(e2) && !evalinregister(e1)) { retregs = mPSW; scodelem(cdb,e1,&retregs,0,false); freenode(e2); break; } if (sz <= REGSIZE && !boolres(e2) && e1.Eoper == OPadd && *pretregs == mPSW) { retregs |= mPSW; scodelem(cdb,e1,&retregs,0,false); freenode(e2); break; } scodelem(cdb,e1,&retregs,0,true); // compute left leaf if (sz == 1) { reg = findreg(retregs & allregs); // get reg that e1 is in cs.Irm = modregrm(3,7,reg & 7); if (reg & 8) cs.Irex |= REX_B; if (e1.Eoper == OPvar && e1.EV.Voffset == 1 && e1.EV.Vsym.Sfl == FLreg) { assert(reg < 4); cs.Irm |= 4; // use upper register half } if (I64 && reg >= 4) cs.Irex |= REX; // address byte registers } else if (sz <= REGSIZE) { // CMP reg,const reg = findreg(retregs & allregs); // get reg that e1 is in rretregs = allregs & ~retregs; if (cs.IFL2 == FLconst && reghasvalue(rretregs,cs.IEV2.Vint,&rreg)) { genregs(cdb,0x3B,reg,rreg); code_orrex(cdb.last(), rex); if (!I16) cdb.last().Iflags |= cs.Iflags & CFopsize; freenode(e2); break; } cs.Irm = modregrm(3,7,reg & 7); if (reg & 8) cs.Irex |= REX_B; } else if (sz <= 2 * REGSIZE) { reg = findregmsw(retregs); // get reg that e1 is in cs.Irm = modregrm(3,7,reg); cdb.gen(&cs); // CMP reg,MSW if (I32 && sz == 6) cdb.last().Iflags |= CFopsize; // seg is only 16 bits genjmp(cdb,JNE,FLcode, cast(block *) ce); // JNE ce reg = findreglsw(retregs); cs.Irm = modregrm(3,7,reg); if (e2.Eoper == OPconst) cs.IEV2.Vint = e2.EV.Vlong; else if (e2.Eoper == OPrelconst) { // Turn off CFseg, on CFoff cs.Iflags ^= CFseg | CFoff; cs.IEV2.Voffset = e2.EV.Voffset; } else assert(0); } else assert(0); cdb.gen(&cs); // CMP sucreg,LSW freenode(e2); break; case OPind: if (e2.Ecount) goto L2; goto L5; case OPvar: static if (TARGET_OSX) { if (movOnly(e2)) goto L2; } if ((e1.Eoper == OPvar && isregvar(e2,&rretregs,&reg) && sz <= REGSIZE ) || (e1.Eoper == OPind && isregvar(e2,&rretregs,&reg) && !evalinregister(e1) && sz <= REGSIZE ) ) { // CMP EA,e2 getlvalue(cdb,&cs,e1,RMload); freenode(e1); cs.Iop = 0x39 ^ isbyte ^ reverse; code_newreg(&cs,reg); if (I64 && isbyte && reg >= 4) cs.Irex |= REX; // address byte registers cdb.gen(&cs); freenode(e2); break; } L5: scodelem(cdb,e1,&retregs,0,true); // compute left leaf if (sz <= REGSIZE) // CMP reg,EA { reg = findreg(retregs & allregs); // get reg that e1 is in uint opsize = cs.Iflags & CFopsize; loadea(cdb,e2,&cs,0x3B ^ isbyte ^ reverse,reg,0,RMload | retregs,0); code_orflag(cdb.last(),opsize); } else if (sz <= 2 * REGSIZE) { reg = findregmsw(retregs); // get reg that e1 is in // CMP reg,EA loadea(cdb,e2,&cs,0x3B ^ reverse,reg,REGSIZE,RMload | retregs,0); if (I32 && sz == 6) cdb.last().Iflags |= CFopsize; // seg is only 16 bits genjmp(cdb,JNE,FLcode, cast(block *) ce); // JNE ce reg = findreglsw(retregs); if (e2.Eoper == OPind) { NEWREG(cs.Irm,reg); getlvalue_lsw(&cs); cdb.gen(&cs); } else loadea(cdb,e2,&cs,0x3B ^ reverse,reg,0,RMload | retregs,0); } else assert(0); freenode(e2); break; } cdb.append(ce); L3: if ((retregs = (*pretregs & (ALLREGS | mBP))) != 0) // if return result in register { if (config.target_cpu >= TARGET_80386 && !flag && !(jop & 0xFF00)) { regm_t resregs = retregs; if (!I64) { resregs &= BYTEREGS; if (!resregs) resregs = BYTEREGS; } allocreg(cdb,&resregs,&reg,TYint); cdb.gen2(0x0F90 + (jop & 0x0F),modregrmx(3,0,reg)); // SETcc reg if (I64 && reg >= 4) code_orrex(cdb.last(),REX); if (tysize(e.Ety) > 1) { genregs(cdb,MOVZXb,reg,reg); // MOVZX reg,reg if (I64 && sz == 8) code_orrex(cdb.last(),REX_W); if (I64 && reg >= 4) code_orrex(cdb.last(),REX); } *pretregs &= ~mPSW; fixresult(cdb,e,resregs,pretregs); } else { code *nop = null; regm_t save = regcon.immed.mval; allocreg(cdb,&retregs,&reg,TYint); regcon.immed.mval = save; if ((*pretregs & mPSW) == 0 && (jop == JC || jop == JNC)) { getregs(cdb,retregs); genregs(cdb,0x19,reg,reg); // SBB reg,reg if (rex || flag & REX_W) code_orrex(cdb.last(), REX_W); if (flag) { } // cdcond() will handle it else if (jop == JNC) { if (I64) { cdb.gen2(0xFF,modregrmx(3,0,reg)); // INC reg code_orrex(cdb.last(), rex); } else cdb.gen1(0x40 + reg); // INC reg } else { cdb.gen2(0xF7,modregrmx(3,3,reg)); // NEG reg code_orrex(cdb.last(), rex); } } else if (I64 && sz == 8) { assert(!flag); movregconst(cdb,reg,1,64|8); // MOV reg,1 nop = gennop(nop); genjmp(cdb,jop,FLcode,cast(block *) nop); // Jtrue nop // MOV reg,0 movregconst(cdb,reg,0,(*pretregs & mPSW) ? 64|8 : 64); regcon.immed.mval &= ~mask(reg); } else { assert(!flag); movregconst(cdb,reg,1,8); // MOV reg,1 nop = gennop(nop); genjmp(cdb,jop,FLcode,cast(block *) nop); // Jtrue nop // MOV reg,0 movregconst(cdb,reg,0,(*pretregs & mPSW) ? 8 : 0); regcon.immed.mval &= ~mask(reg); } *pretregs = retregs; cdb.append(nop); } } ret: { } } /********************************** * Generate code for signed compare of longs. * Input: * targ block* or code* */ void longcmp(ref CodeBuilder cdb,elem *e,bool jcond,uint fltarg,code *targ) { // <= > < >= static immutable ubyte[4] jopmsw = [JL, JG, JL, JG ]; static immutable ubyte[4] joplsw = [JBE, JA, JB, JAE ]; //printf("longcmp(e = %p)\n", e); elem *e1 = e.EV.E1; elem *e2 = e.EV.E2; OPER op = e.Eoper; // See if we should swap operands if (e1.Eoper == OPvar && e2.Eoper == OPvar && evalinregister(e2)) { e1 = e.EV.E2; e2 = e.EV.E1; op = swaprel(op); } code cs; cs.Iflags = 0; cs.Irex = 0; code *ce = gennop(null); regm_t retregs = ALLREGS; regm_t rretregs; reg_t reg,rreg; uint jop = jopmsw[op - OPle]; if (!(jcond & 1)) jop ^= (JL ^ JG); // toggle jump condition CodeBuilder cdbjmp; cdbjmp.ctor(); genjmp(cdbjmp,jop,fltarg, cast(block *) targ); // Jx targ genjmp(cdbjmp,jop ^ (JL ^ JG),FLcode, cast(block *) ce); // Jy nop switch (e2.Eoper) { default: L2: scodelem(cdb,e1,&retregs,0,true); // compute left leaf rretregs = ALLREGS & ~retregs; scodelem(cdb,e2,&rretregs,retregs,true); // get right leaf cse_flush(cdb,1); // Compare MSW, if they're equal then compare the LSW reg = findregmsw(retregs); rreg = findregmsw(rretregs); genregs(cdb,0x3B,reg,rreg); // CMP reg,rreg cdb.append(cdbjmp); reg = findreglsw(retregs); rreg = findreglsw(rretregs); genregs(cdb,0x3B,reg,rreg); // CMP reg,rreg break; case OPconst: cs.IEV2.Vint = cast(int)MSREG(e2.EV.Vllong); // MSW first cs.IFL2 = FLconst; cs.Iop = 0x81; /* if ((e1 is data or a '*' reference) and it's not a * common subexpression */ if ((e1.Eoper == OPvar && datafl[el_fl(e1)] || e1.Eoper == OPind) && !evalinregister(e1)) { getlvalue(cdb,&cs,e1,0); freenode(e1); if (evalinregister(e2)) { retregs = idxregm(&cs); if ((cs.Iflags & CFSEG) == CFes) retregs |= mES; // take no chances rretregs = ALLREGS & ~retregs; scodelem(cdb,e2,&rretregs,retregs,true); cse_flush(cdb,1); rreg = findregmsw(rretregs); cs.Iop = 0x39; cs.Irm |= modregrm(0,rreg,0); getlvalue_msw(&cs); cdb.gen(&cs); // CMP EA+2,rreg cdb.append(cdbjmp); rreg = findreglsw(rretregs); NEWREG(cs.Irm,rreg); } else { cse_flush(cdb,1); cs.Irm |= modregrm(0,7,0); getlvalue_msw(&cs); cdb.gen(&cs); // CMP EA+2,const cdb.append(cdbjmp); cs.IEV2.Vint = e2.EV.Vlong; freenode(e2); } getlvalue_lsw(&cs); cdb.gen(&cs); // CMP EA,rreg/const break; } if (evalinregister(e2)) goto L2; scodelem(cdb,e1,&retregs,0,true); // compute left leaf cse_flush(cdb,1); reg = findregmsw(retregs); // get reg that e1 is in cs.Irm = modregrm(3,7,reg); cdb.gen(&cs); // CMP reg,MSW cdb.append(cdbjmp); reg = findreglsw(retregs); cs.Irm = modregrm(3,7,reg); cs.IEV2.Vint = e2.EV.Vlong; cdb.gen(&cs); // CMP sucreg,LSW freenode(e2); break; case OPvar: if (!e1.Ecount && e1.Eoper == OPs32_64) { reg_t msreg; retregs = allregs; scodelem(cdb,e1.EV.E1,&retregs,0,true); freenode(e1); reg = findreg(retregs); retregs = allregs & ~retregs; allocreg(cdb,&retregs,&msreg,TYint); genmovreg(cdb,msreg,reg); // MOV msreg,reg cdb.genc2(0xC1,modregrm(3,7,msreg),REGSIZE * 8 - 1); // SAR msreg,31 cse_flush(cdb,1); loadea(cdb,e2,&cs,0x3B,msreg,REGSIZE,mask(reg),0); cdb.append(cdbjmp); loadea(cdb,e2,&cs,0x3B,reg,0,mask(reg),0); freenode(e2); } else { scodelem(cdb,e1,&retregs,0,true); // compute left leaf cse_flush(cdb,1); reg = findregmsw(retregs); // get reg that e1 is in loadea(cdb,e2,&cs,0x3B,reg,REGSIZE,retregs,0); cdb.append(cdbjmp); reg = findreglsw(retregs); loadea(cdb,e2,&cs,0x3B,reg,0,retregs,0); freenode(e2); } break; } jop = joplsw[op - OPle]; if (!(jcond & 1)) jop ^= 1; // toggle jump condition genjmp(cdb,jop,fltarg,cast(block *) targ); // Jcond targ cdb.append(ce); freenode(e); } /***************************** * Do conversions. * Depends on OPd_s32 and CLIB.dbllng being in sequence. */ void cdcnvt(ref CodeBuilder cdb,elem *e, regm_t *pretregs) { //printf("cdcnvt: %p *pretregs = %s\n", e, regm_str(*pretregs)); //elem_print(e); static immutable ubyte[2][16] clib = [ [ OPd_s32, CLIB.dbllng ], [ OPs32_d, CLIB.lngdbl ], [ OPd_s16, CLIB.dblint ], [ OPs16_d, CLIB.intdbl ], [ OPd_u16, CLIB.dbluns ], [ OPu16_d, CLIB.unsdbl ], [ OPd_u32, CLIB.dblulng ], [ OPu32_d, CLIB.ulngdbl ], [ OPd_s64, CLIB.dblllng ], [ OPs64_d, CLIB.llngdbl ], [ OPd_u64, CLIB.dblullng ], [ OPu64_d, CLIB.ullngdbl ], [ OPd_f, CLIB.dblflt ], [ OPf_d, CLIB.fltdbl ], [ OPvp_fp, CLIB.vptrfptr ], [ OPcvp_fp, CLIB.cvptrfptr] ]; if (!*pretregs) { codelem(cdb,e.EV.E1,pretregs,false); return; } regm_t retregs; if (config.inline8087) { switch (e.Eoper) { case OPld_d: case OPd_ld: { if (tycomplex(e.EV.E1.Ety)) { Lcomplex: regm_t retregsx = mST01 | (*pretregs & mPSW); codelem(cdb,e.EV.E1, &retregsx, false); fixresult_complex87(cdb, e, retregsx, pretregs); return; } regm_t retregsx = mST0 | (*pretregs & mPSW); codelem(cdb,e.EV.E1, &retregsx, false); fixresult87(cdb, e, retregsx, pretregs); return; } case OPf_d: case OPd_f: if (tycomplex(e.EV.E1.Ety)) goto Lcomplex; if (config.fpxmmregs && *pretregs & XMMREGS) { xmmcnvt(cdb, e, pretregs); return; } /* if won't do us much good to transfer back and */ /* forth between 8088 registers and 8087 registers */ if (OTcall(e.EV.E1.Eoper) && !(*pretregs & allregs)) { retregs = regmask(e.EV.E1.Ety, e.EV.E1.EV.E1.Ety); if (retregs & (mXMM1 | mXMM0 |mST01 | mST0)) // if return in ST0 { codelem(cdb,e.EV.E1,pretregs,false); if (*pretregs & mST0) note87(e, 0, 0); return; } else break; } goto Lload87; case OPs64_d: if (!I64) goto Lload87; goto case OPs32_d; case OPs32_d: if (config.fpxmmregs && *pretregs & XMMREGS) { xmmcnvt(cdb, e, pretregs); return; } goto Lload87; case OPs16_d: case OPu16_d: Lload87: load87(cdb,e,0,pretregs,null,-1); return; case OPu32_d: if (I64 && config.fpxmmregs && *pretregs & XMMREGS) { xmmcnvt(cdb,e,pretregs); return; } else if (!I16) { regm_t retregsx = ALLREGS; codelem(cdb,e.EV.E1, &retregsx, false); reg_t reg = findreg(retregsx); cdb.genfltreg(STO, reg, 0); regwithvalue(cdb,ALLREGS,0,&reg,0); cdb.genfltreg(STO, reg, 4); push87(cdb); cdb.genfltreg(0xDF,5,0); // FILD m64int regm_t retregsy = mST0 /*| (*pretregs & mPSW)*/; fixresult87(cdb, e, retregsy, pretregs); return; } break; case OPd_s64: if (!I64) goto Lcnvt87; goto case OPd_s32; case OPd_s32: if (config.fpxmmregs) { xmmcnvt(cdb,e,pretregs); return; } goto Lcnvt87; case OPd_s16: case OPd_u16: Lcnvt87: cnvt87(cdb,e,pretregs); return; case OPd_u32: // use subroutine, not 8087 if (I64 && config.fpxmmregs) { xmmcnvt(cdb,e,pretregs); return; } if (I32 || I64) { cdd_u32(cdb,e,pretregs); return; } static if (TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { retregs = mST0; } else { retregs = DOUBLEREGS; } goto L1; case OPd_u64: if (I32 || I64) { cdd_u64(cdb,e,pretregs); return; } retregs = DOUBLEREGS; goto L1; case OPu64_d: if (*pretregs & mST0) { regm_t retregsx = I64 ? mAX : mAX|mDX; codelem(cdb,e.EV.E1,&retregsx,false); callclib(cdb,e,CLIB.u64_ldbl,pretregs,0); return; } break; case OPld_u64: { if (I32 || I64) { cdd_u64(cdb,e,pretregs); return; } regm_t retregsx = mST0; codelem(cdb,e.EV.E1,&retregsx,false); callclib(cdb,e,CLIB.ld_u64,pretregs,0); return; } default: break; } } retregs = regmask(e.EV.E1.Ety, TYnfunc); L1: codelem(cdb,e.EV.E1,&retregs,false); for (int i = 0; 1; i++) { assert(i < clib.length); if (clib[i][0] == e.Eoper) { callclib(cdb,e,clib[i][1],pretregs,0); break; } } } /*************************** * Convert short to long. * For OPs16_32, OPu16_32, OPnp_fp, OPu32_64, OPs32_64, * OPu64_128, OPs64_128 */ void cdshtlng(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { reg_t reg; regm_t retregs; //printf("cdshtlng(e = %p, *pretregs = %s)\n", e, regm_str(*pretregs)); int e1comsub = e.EV.E1.Ecount; ubyte op = e.Eoper; if ((*pretregs & (ALLREGS | mBP)) == 0) // if don't need result in regs { codelem(cdb,e.EV.E1,pretregs,false); // then conversion isn't necessary return; } else if ( op == OPnp_fp || (I16 && op == OPu16_32) || (I32 && op == OPu32_64) ) { /* Result goes into a register pair. * Zero extend by putting a zero into most significant reg. */ regm_t retregsx = *pretregs & mLSW; assert(retregsx); tym_t tym1 = tybasic(e.EV.E1.Ety); codelem(cdb,e.EV.E1,&retregsx,false); regm_t regm = *pretregs & (mMSW & ALLREGS); if (regm == 0) // *pretregs could be mES regm = mMSW & ALLREGS; allocreg(cdb,&regm,&reg,TYint); if (e1comsub) getregs(cdb,retregsx); if (op == OPnp_fp) { int segreg; // BUG: what about pointers to functions? switch (tym1) { case TYimmutPtr: case TYnptr: segreg = SEG_DS; break; case TYcptr: segreg = SEG_CS; break; case TYsptr: segreg = SEG_SS; break; default: assert(0); } cdb.gen2(0x8C,modregrm(3,segreg,reg)); // MOV reg,segreg } else movregconst(cdb,reg,0,0); // 0 extend fixresult(cdb,e,retregsx | regm,pretregs); return; } else if (I64 && op == OPu32_64) { elem *e1 = e.EV.E1; retregs = *pretregs; if (e1.Eoper == OPvar || (e1.Eoper == OPind && !e1.Ecount)) { code cs; allocreg(cdb,&retregs,&reg,TYint); loadea(cdb,e1,&cs,LOD,reg,0,retregs,retregs); // MOV Ereg,EA freenode(e1); } else { *pretregs &= ~mPSW; // flags are set by eval of e1 codelem(cdb,e1,&retregs,false); /* Determine if high 32 bits are already 0 */ if (e1.Eoper == OPu16_32 && !e1.Ecount) { } else { // Zero high 32 bits getregs(cdb,retregs); reg = findreg(retregs); // Don't use x89 because that will get optimized away genregs(cdb,LOD,reg,reg); // MOV Ereg,Ereg } } fixresult(cdb,e,retregs,pretregs); return; } else if (I64 && op == OPs32_64 && OTrel(e.EV.E1.Eoper) && !e.EV.E1.Ecount) { /* Due to how e1 is calculated, the high 32 bits of the register * are already 0. */ retregs = *pretregs; codelem(cdb,e.EV.E1,&retregs,false); fixresult(cdb,e,retregs,pretregs); return; } else if (!I16 && (op == OPs16_32 || op == OPu16_32) || I64 && op == OPs32_64) { elem *e11; elem *e1 = e.EV.E1; if (e1.Eoper == OPu8_16 && !e1.Ecount && ((e11 = e1.EV.E1).Eoper == OPvar || (e11.Eoper == OPind && !e11.Ecount)) ) { code cs; retregs = *pretregs & BYTEREGS; if (!retregs) retregs = BYTEREGS; allocreg(cdb,&retregs,&reg,TYint); movregconst(cdb,reg,0,0); // XOR reg,reg loadea(cdb,e11,&cs,0x8A,reg,0,retregs,retregs); // MOV regL,EA freenode(e11); freenode(e1); } else if (e1.Eoper == OPvar || (e1.Eoper == OPind && !e1.Ecount)) { code cs = void; if (I32 && op == OPu16_32 && config.flags4 & CFG4speed) goto L2; retregs = *pretregs; allocreg(cdb,&retregs,&reg,TYint); const opcode = (op == OPu16_32) ? MOVZXw : MOVSXw; // MOVZX/MOVSX reg,EA if (op == OPs32_64) { assert(I64); // MOVSXD reg,e1 loadea(cdb,e1,&cs,0x63,reg,0,0,retregs); code_orrex(cdb.last(), REX_W); } else loadea(cdb,e1,&cs,opcode,reg,0,0,retregs); freenode(e1); } else { L2: retregs = *pretregs; if (op == OPs32_64) retregs = mAX | (*pretregs & mPSW); *pretregs &= ~mPSW; // flags are already set CodeBuilder cdbx; cdbx.ctor(); codelem(cdbx,e1,&retregs,false); code *cx = cdbx.finish(); cdb.append(cdbx); getregs(cdb,retregs); if (op == OPu16_32 && cx) { cx = code_last(cx); if (cx.Iop == 0x81 && (cx.Irm & modregrm(3,7,0)) == modregrm(3,4,0) && mask(cx.Irm & 7) == retregs) { // Convert AND of a word to AND of a dword, zeroing upper word if (cx.Irex & REX_B) retregs = mask(8 | (cx.Irm & 7)); cx.Iflags &= ~CFopsize; cx.IEV2.Vint &= 0xFFFF; goto L1; } } if (op == OPs16_32 && retregs == mAX) cdb.gen1(0x98); // CWDE else if (op == OPs32_64 && retregs == mAX) { cdb.gen1(0x98); // CDQE code_orrex(cdb.last(), REX_W); } else { reg = findreg(retregs); if (config.flags4 & CFG4speed && op == OPu16_32) { // AND reg,0xFFFF cdb.genc2(0x81,modregrmx(3,4,reg),0xFFFFu); } else { opcode_t iop = (op == OPu16_32) ? MOVZXw : MOVSXw; // MOVZX/MOVSX reg,reg genregs(cdb,iop,reg,reg); } } L1: if (e1comsub) getregs(cdb,retregs); } fixresult(cdb,e,retregs,pretregs); return; } else if (*pretregs & mPSW || config.target_cpu < TARGET_80286) { // OPs16_32, OPs32_64 // CWD doesn't affect flags, so we can depend on the integer // math to provide the flags. retregs = mAX | mPSW; // want integer result in AX *pretregs &= ~mPSW; // flags are already set codelem(cdb,e.EV.E1,&retregs,false); getregs(cdb,mDX); // sign extend into DX cdb.gen1(0x99); // CWD/CDQ if (e1comsub) getregs(cdb,retregs); fixresult(cdb,e,mDX | retregs,pretregs); return; } else { // OPs16_32, OPs32_64 uint msreg,lsreg; retregs = *pretregs & mLSW; assert(retregs); codelem(cdb,e.EV.E1,&retregs,false); retregs |= *pretregs & mMSW; allocreg(cdb,&retregs,&reg,e.Ety); msreg = findregmsw(retregs); lsreg = findreglsw(retregs); genmovreg(cdb,msreg,lsreg); // MOV msreg,lsreg assert(config.target_cpu >= TARGET_80286); // 8088 can't handle SAR reg,imm8 cdb.genc2(0xC1,modregrm(3,7,msreg),REGSIZE * 8 - 1); // SAR msreg,31 fixresult(cdb,e,retregs,pretregs); return; } } /*************************** * Convert byte to int. * For OPu8_16 and OPs8_16. */ void cdbyteint(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { regm_t retregs; char size; if ((*pretregs & (ALLREGS | mBP)) == 0) // if don't need result in regs { codelem(cdb,e.EV.E1,pretregs,false); // then conversion isn't necessary return; } //printf("cdbyteint(e = %p, *pretregs = %s\n", e, regm_str(*pretregs)); char op = e.Eoper; elem *e1 = e.EV.E1; if (e1.Eoper == OPcomma) docommas(cdb,&e1); if (!I16) { if (e1.Eoper == OPvar || (e1.Eoper == OPind && !e1.Ecount)) { code cs; regm_t retregsx = *pretregs; reg_t reg; allocreg(cdb,&retregsx,&reg,TYint); if (config.flags4 & CFG4speed && op == OPu8_16 && mask(reg) & BYTEREGS && config.target_cpu < TARGET_PentiumPro) { movregconst(cdb,reg,0,0); // XOR reg,reg loadea(cdb,e1,&cs,0x8A,reg,0,retregsx,retregsx); // MOV regL,EA } else { const opcode = (op == OPu8_16) ? MOVZXb : MOVSXb; // MOVZX/MOVSX reg,EA loadea(cdb,e1,&cs,opcode,reg,0,0,retregsx); } freenode(e1); fixresult(cdb,e,retregsx,pretregs); return; } size = tysize(e.Ety); retregs = *pretregs & BYTEREGS; if (retregs == 0) retregs = BYTEREGS; retregs |= *pretregs & mPSW; *pretregs &= ~mPSW; } else { if (op == OPu8_16) // if uint conversion { retregs = *pretregs & BYTEREGS; if (retregs == 0) retregs = BYTEREGS; } else { // CBW doesn't affect flags, so we can depend on the integer // math to provide the flags. retregs = mAX | (*pretregs & mPSW); // want integer result in AX } } CodeBuilder cdb1; cdb1.ctor(); codelem(cdb1,e1,&retregs,false); code *c1 = cdb1.finish(); cdb.append(cdb1); reg_t reg = findreg(retregs); code *c; if (!c1) goto L1; // If previous instruction is an AND bytereg,value c = cdb.last(); if (c.Iop == 0x80 && c.Irm == modregrm(3,4,reg & 7) && (op == OPu8_16 || (c.IEV2.Vuns & 0x80) == 0)) { if (*pretregs & mPSW) c.Iflags |= CFpsw; c.Iop |= 1; // convert to word operation c.IEV2.Vuns &= 0xFF; // dump any high order bits *pretregs &= ~mPSW; // flags already set } else { L1: if (!I16) { if (op == OPs8_16 && reg == AX && size == 2) { cdb.gen1(0x98); // CBW cdb.last().Iflags |= CFopsize; // don't do a CWDE } else { // We could do better by not forcing the src and dst // registers to be the same. if (config.flags4 & CFG4speed && op == OPu8_16) { // AND reg,0xFF cdb.genc2(0x81,modregrmx(3,4,reg),0xFF); } else { opcode_t iop = (op == OPu8_16) ? MOVZXb : MOVSXb; // MOVZX/MOVSX reg,reg genregs(cdb,iop,reg,reg); if (I64 && reg >= 4) code_orrex(cdb.last(), REX); } } } else { if (op == OPu8_16) genregs(cdb,0x30,reg+4,reg+4); // XOR regH,regH else { cdb.gen1(0x98); // CBW *pretregs &= ~mPSW; // flags already set } } } getregs(cdb,retregs); fixresult(cdb,e,retregs,pretregs); } /*************************** * Convert long to short (OP32_16). * Get offset of far pointer (OPoffset). * Convert int to byte (OP16_8). * Convert long long to long (OP64_32). * OP128_64 */ void cdlngsht(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { debug { switch (e.Eoper) { case OP32_16: case OPoffset: case OP16_8: case OP64_32: case OP128_64: break; default: assert(0); } } regm_t retregs; if (e.Eoper == OP16_8) { retregs = *pretregs ? BYTEREGS : 0; codelem(cdb,e.EV.E1,&retregs,false); } else { if (e.EV.E1.Eoper == OPrelconst) offsetinreg(cdb,e.EV.E1,&retregs); else { retregs = *pretregs ? ALLREGS : 0; codelem(cdb,e.EV.E1,&retregs,false); bool isOff = e.Eoper == OPoffset; if (I16 || I32 && (isOff || e.Eoper == OP64_32) || I64 && (isOff || e.Eoper == OP128_64)) retregs &= mLSW; // want LSW only } } /* We "destroy" a reg by assigning it the result of a new e, even * though the values are the same. Weakness of our CSE strategy that * a register can only hold the contents of one elem at a time. */ if (e.Ecount) getregs(cdb,retregs); else useregs(retregs); debug if (!(!*pretregs || retregs)) { WROP(e.Eoper), printf(" *pretregs = %s, retregs = %s, e = %p\n",regm_str(*pretregs),regm_str(retregs),e); } assert(!*pretregs || retregs); fixresult(cdb,e,retregs,pretregs); // lsw only } /********************************************** * Get top 32 bits of 64 bit value (I32) * or top 16 bits of 32 bit value (I16) * or top 64 bits of 128 bit value (I64). * OPmsw */ void cdmsw(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { assert(e.Eoper == OPmsw); regm_t retregs = *pretregs ? ALLREGS : 0; codelem(cdb,e.EV.E1,&retregs,false); retregs &= mMSW; // want MSW only /* We "destroy" a reg by assigning it the result of a new e, even * though the values are the same. Weakness of our CSE strategy that * a register can only hold the contents of one elem at a time. */ if (e.Ecount) getregs(cdb,retregs); else useregs(retregs); debug if (!(!*pretregs || retregs)) { WROP(e.Eoper); printf(" *pretregs = %s, retregs = %s\n",regm_str(*pretregs),regm_str(retregs)); elem_print(e); } assert(!*pretregs || retregs); fixresult(cdb,e,retregs,pretregs); // msw only } /****************************** * Handle operators OPinp and OPoutp. */ void cdport(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { //printf("cdport\n"); ubyte op = 0xE4; // root of all IN/OUT opcodes elem *e1 = e.EV.E1; // See if we can use immediate mode of IN/OUT opcodes ubyte port; if (e1.Eoper == OPconst && e1.EV.Vuns <= 255 && (!evalinregister(e1) || regcon.mvar & mDX)) { port = cast(ubyte)e1.EV.Vuns; freenode(e1); } else { regm_t retregs = mDX; // port number is always DX codelem(cdb,e1,&retregs,false); op |= 0x08; // DX version of opcode port = 0; // not logically needed, but // quiets "uninitialized var" complaints } uint sz; if (e.Eoper == OPoutp) { sz = tysize(e.EV.E2.Ety); regm_t retregs = mAX; // byte/word to output is in AL/AX scodelem(cdb,e.EV.E2,&retregs,((op & 0x08) ? mDX : 0),true); op |= 0x02; // OUT opcode } else // OPinp { getregs(cdb,mAX); sz = tysize(e.Ety); } if (sz != 1) op |= 1; // word operation cdb.genc2(op,0,port); // IN/OUT AL/AX,DX/port if (op & 1 && sz != REGSIZE) // if need size override cdb.last().Iflags |= CFopsize; regm_t retregs = mAX; fixresult(cdb,e,retregs,pretregs); } /************************ * Generate code for an asm elem. */ void cdasm(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { // Assume only regs normally destroyed by a function are destroyed getregs(cdb,(ALLREGS | mES) & ~fregsaved); cdb.genasm(cast(char *)e.EV.Vstring, cast(uint)e.EV.Vstrlen); fixresult(cdb,e,(I16 ? mDX | mAX : mAX),pretregs); } /************************ * Generate code for OPnp_f16p and OPf16p_np. */ void cdfar16(ref CodeBuilder cdb, elem *e, regm_t *pretregs) { code *cnop; code cs; assert(I32); codelem(cdb,e.EV.E1,pretregs,false); reg_t reg = findreg(*pretregs); getregs(cdb,*pretregs); // we will destroy the regs cs.Iop = 0xC1; cs.Irm = modregrm(3,0,reg); cs.Iflags = 0; cs.Irex = 0; cs.IFL2 = FLconst; cs.IEV2.Vuns = 16; cdb.gen(&cs); // ROL ereg,16 cs.Irm |= modregrm(0,1,0); cdb.gen(&cs); // ROR ereg,16 cs.IEV2.Vuns = 3; cs.Iflags |= CFopsize; if (e.Eoper == OPnp_f16p) { /* OR ereg,ereg JE L1 ROR ereg,16 SHL reg,3 MOV rx,SS AND rx,3 ;mask off CPL bits OR rl,4 ;run on LDT bit OR regl,rl ROL ereg,16 L1: NOP */ reg_t rx; regm_t retregs = BYTEREGS & ~*pretregs; allocreg(cdb,&retregs,&rx,TYint); cnop = gennop(null); int jop = JCXZ; if (reg != CX) { gentstreg(cdb,reg); jop = JE; } genjmp(cdb,jop,FLcode, cast(block *)cnop); // Jop L1 NEWREG(cs.Irm,4); cdb.gen(&cs); // SHL reg,3 genregs(cdb,0x8C,2,rx); // MOV rx,SS int isbyte = (mask(reg) & BYTEREGS) == 0; cdb.genc2(0x80 | isbyte,modregrm(3,4,rx),3); // AND rl,3 cdb.genc2(0x80,modregrm(3,1,rx),4); // OR rl,4 genregs(cdb,0x0A | isbyte,reg,rx); // OR regl,rl } else // OPf16p_np { /* ROR ereg,16 SHR reg,3 ROL ereg,16 */ cs.Irm |= modregrm(0,5,0); cdb.gen(&cs); // SHR reg,3 cnop = null; } } /************************* * Generate code for OPbtst */ void cdbtst(ref CodeBuilder cdb, elem *e, regm_t *pretregs) { regm_t retregs; reg_t reg; //printf("cdbtst(e = %p, *pretregs = %s\n", e, regm_str(*pretregs)); opcode_t op = 0xA3; // BT EA,value int mode = 4; elem *e1 = e.EV.E1; elem *e2 = e.EV.E2; code cs; cs.Iflags = 0; if (*pretregs == 0) // if don't want result { codelem(cdb,e1,pretregs,false); // eval left leaf *pretregs = 0; // in case they got set codelem(cdb,e2,pretregs,false); return; } regm_t idxregs; if ((e1.Eoper == OPind && !e1.Ecount) || e1.Eoper == OPvar) { getlvalue(cdb, &cs, e1, RMload); // get addressing mode idxregs = idxregm(&cs); // mask if index regs used } else { retregs = tysize(e1.Ety) == 1 ? BYTEREGS : allregs; codelem(cdb,e1, &retregs, false); reg = findreg(retregs); cs.Irm = modregrm(3,0,reg & 7); cs.Iflags = 0; cs.Irex = 0; if (reg & 8) cs.Irex |= REX_B; idxregs = retregs; } tym_t ty1 = tybasic(e1.Ety); const sz = tysize(e1.Ety); ubyte word = (!I16 && _tysize[ty1] == SHORTSIZE) ? CFopsize : 0; // if (e2.Eoper == OPconst && e2.EV.Vuns < 0x100) // should do this instead? if (e2.Eoper == OPconst) { cs.Iop = 0x0FBA; // BT rm,imm8 cs.Irm |= modregrm(0,mode,0); cs.Iflags |= CFpsw | word; cs.IFL2 = FLconst; if (sz <= SHORTSIZE) { cs.IEV2.Vint = e2.EV.Vint & 15; } else if (sz == 4) { cs.IEV2.Vint = e2.EV.Vint & 31; } else { cs.IEV2.Vint = e2.EV.Vint & 63; if (I64) cs.Irex |= REX_W; } cdb.gen(&cs); } else { retregs = ALLREGS & ~idxregs; /* A register variable may not have its upper 32 * bits 0, so pick a different register to force * a MOV which will clear it */ if (I64 && sz == 8 && tysize(e2.Ety) == 4) { regm_t rregm; if (isregvar(e2, &rregm, null)) retregs &= ~rregm; } scodelem(cdb,e2,&retregs,idxregs,true); reg = findreg(retregs); cs.Iop = 0x0F00 | op; // BT rm,reg code_newreg(&cs,reg); cs.Iflags |= CFpsw | word; if (I64 && _tysize[ty1] == 8) cs.Irex |= REX_W; cdb.gen(&cs); } if ((retregs = (*pretregs & (ALLREGS | mBP))) != 0) // if return result in register { if (tysize(e.Ety) == 1) { assert(I64 || retregs & BYTEREGS); allocreg(cdb,&retregs,&reg,TYint); cdb.gen2(0x0F92,modregrmx(3,0,reg)); // SETC reg if (I64 && reg >= 4) code_orrex(cdb.last(), REX); *pretregs = retregs; } else { code *cnop = null; regm_t save = regcon.immed.mval; allocreg(cdb,&retregs,&reg,TYint); regcon.immed.mval = save; if ((*pretregs & mPSW) == 0) { getregs(cdb,retregs); genregs(cdb,0x19,reg,reg); // SBB reg,reg cdb.gen2(0xF7,modregrmx(3,3,reg)); // NEG reg } else { movregconst(cdb,reg,1,8); // MOV reg,1 cnop = gennop(null); genjmp(cdb,JC,FLcode, cast(block *) cnop); // Jtrue nop // MOV reg,0 movregconst(cdb,reg,0,8); regcon.immed.mval &= ~mask(reg); } *pretregs = retregs; cdb.append(cnop); } } } /************************* * Generate code for OPbt, OPbtc, OPbtr, OPbts */ void cdbt(ref CodeBuilder cdb,elem *e, regm_t *pretregs) { //printf("cdbt(%p, %s)\n", e, regm_str(*pretregs)); regm_t retregs; reg_t reg; opcode_t op; int mode; switch (e.Eoper) { case OPbt: op = 0xA3; mode = 4; break; case OPbtc: op = 0xBB; mode = 7; break; case OPbtr: op = 0xB3; mode = 6; break; case OPbts: op = 0xAB; mode = 5; break; default: assert(0); } elem *e1 = e.EV.E1; elem *e2 = e.EV.E2; code cs; cs.Iflags = 0; getlvalue(cdb, &cs, e, RMload); // get addressing mode if (e.Eoper == OPbt && *pretregs == 0) { codelem(cdb,e2,pretregs,false); return; } tym_t ty1 = tybasic(e1.Ety); tym_t ty2 = tybasic(e2.Ety); ubyte word = (!I16 && _tysize[ty1] == SHORTSIZE) ? CFopsize : 0; regm_t idxregs = idxregm(&cs); // mask if index regs used // if (e2.Eoper == OPconst && e2.EV.Vuns < 0x100) // should do this instead? if (e2.Eoper == OPconst) { cs.Iop = 0x0FBA; // BT rm,imm8 cs.Irm |= modregrm(0,mode,0); cs.Iflags |= CFpsw | word; cs.IFL2 = FLconst; if (_tysize[ty1] == SHORTSIZE) { cs.IEV1.Voffset += (e2.EV.Vuns & ~15) >> 3; cs.IEV2.Vint = e2.EV.Vint & 15; } else if (_tysize[ty1] == 4) { cs.IEV1.Voffset += (e2.EV.Vuns & ~31) >> 3; cs.IEV2.Vint = e2.EV.Vint & 31; } else { cs.IEV1.Voffset += (e2.EV.Vuns & ~63) >> 3; cs.IEV2.Vint = e2.EV.Vint & 63; if (I64) cs.Irex |= REX_W; } cdb.gen(&cs); } else { retregs = ALLREGS & ~idxregs; scodelem(cdb,e2,&retregs,idxregs,true); reg = findreg(retregs); cs.Iop = 0x0F00 | op; // BT rm,reg code_newreg(&cs,reg); cs.Iflags |= CFpsw | word; if (_tysize[ty2] == 8 && I64) cs.Irex |= REX_W; cdb.gen(&cs); } if ((retregs = (*pretregs & (ALLREGS | mBP))) != 0) // if return result in register { if (_tysize[e.Ety] == 1) { assert(I64 || retregs & BYTEREGS); allocreg(cdb,&retregs,&reg,TYint); cdb.gen2(0x0F92,modregrmx(3,0,reg)); // SETC reg if (I64 && reg >= 4) code_orrex(cdb.last(), REX); *pretregs = retregs; } else { code *cnop = null; regm_t save = regcon.immed.mval; allocreg(cdb,&retregs,&reg,TYint); regcon.immed.mval = save; if ((*pretregs & mPSW) == 0) { getregs(cdb,retregs); genregs(cdb,0x19,reg,reg); // SBB reg,reg cdb.gen2(0xF7,modregrmx(3,3,reg)); // NEG reg } else { movregconst(cdb,reg,1,8); // MOV reg,1 cnop = gennop(null); genjmp(cdb,JC,FLcode, cast(block *) cnop); // Jtrue nop // MOV reg,0 movregconst(cdb,reg,0,8); regcon.immed.mval &= ~mask(reg); } *pretregs = retregs; cdb.append(cnop); } } } /************************************* * Generate code for OPbsf and OPbsr. */ void cdbscan(ref CodeBuilder cdb, elem *e, regm_t *pretregs) { //printf("cdbscan()\n"); //elem_print(e); if (!*pretregs) { codelem(cdb,e.EV.E1,pretregs,false); return; } tym_t tyml = tybasic(e.EV.E1.Ety); int sz = _tysize[tyml]; assert(sz == 2 || sz == 4 || sz == 8); regm_t retregs; reg_t reg; code cs; if ((e.EV.E1.Eoper == OPind && !e.EV.E1.Ecount) || e.EV.E1.Eoper == OPvar) { getlvalue(cdb, &cs, e.EV.E1, RMload); // get addressing mode } else { retregs = allregs; codelem(cdb,e.EV.E1, &retregs, false); reg = findreg(retregs); cs.Irm = modregrm(3,0,reg & 7); cs.Iflags = 0; cs.Irex = 0; if (reg & 8) cs.Irex |= REX_B; } retregs = *pretregs & allregs; if (!retregs) retregs = allregs; allocreg(cdb,&retregs, &reg, e.Ety); cs.Iop = (e.Eoper == OPbsf) ? 0x0FBC : 0x0FBD; // BSF/BSR reg,EA code_newreg(&cs, reg); if (!I16 && sz == SHORTSIZE) cs.Iflags |= CFopsize; cdb.gen(&cs); if (sz == 8) code_orrex(cdb.last(), REX_W); fixresult(cdb,e,retregs,pretregs); } /************************ * OPpopcnt operator */ void cdpopcnt(ref CodeBuilder cdb,elem *e,regm_t *pretregs) { //printf("cdpopcnt()\n"); //elem_print(e); assert(!I16); if (!*pretregs) { codelem(cdb,e.EV.E1,pretregs,false); return; } tym_t tyml = tybasic(e.EV.E1.Ety); int sz = _tysize[tyml]; assert(sz == 2 || sz == 4 || (sz == 8 && I64)); // no byte op code cs; if ((e.EV.E1.Eoper == OPind && !e.EV.E1.Ecount) || e.EV.E1.Eoper == OPvar) { getlvalue(cdb, &cs, e.EV.E1, RMload); // get addressing mode } else { regm_t retregs = allregs; codelem(cdb,e.EV.E1, &retregs, false); reg_t reg = cast(ubyte)findreg(retregs); cs.Irm = modregrm(3,0,reg & 7); cs.Iflags = 0; cs.Irex = 0; if (reg & 8) cs.Irex |= REX_B; } regm_t retregs = *pretregs & allregs; if (!retregs) retregs = allregs; reg_t reg; allocreg(cdb,&retregs, &reg, e.Ety); cs.Iop = POPCNT; // POPCNT reg,EA code_newreg(&cs, reg); if (sz == SHORTSIZE) cs.Iflags |= CFopsize; if (*pretregs & mPSW) cs.Iflags |= CFpsw; cdb.gen(&cs); if (sz == 8) code_orrex(cdb.last(), REX_W); *pretregs &= mBP | ALLREGS; // flags already set fixresult(cdb,e,retregs,pretregs); } /******************************************* * Generate code for OPpair, OPrpair. */ void cdpair(ref CodeBuilder cdb, elem *e, regm_t *pretregs) { if (*pretregs == 0) // if don't want result { codelem(cdb,e.EV.E1,pretregs,false); // eval left leaf *pretregs = 0; // in case they got set codelem(cdb,e.EV.E2,pretregs,false); return; } //printf("\ncdpair(e = %p, *pretregs = %s)\n", e, regm_str(*pretregs)); //printf("Ecount = %d\n", e.Ecount); regm_t retregs = *pretregs; if (retregs == mPSW && tycomplex(e.Ety) && config.inline8087) { if (config.fpxmmregs) retregs |= mXMM0 | mXMM1; else retregs |= mST01; } if (retregs & mST01) { loadPair87(cdb, e, pretregs); return; } regm_t regs1; regm_t regs2; if (retregs & XMMREGS) { retregs &= XMMREGS; const reg = findreg(retregs); regs1 = mask(reg); regs2 = mask(findreg(retregs & ~regs1)); } else { retregs &= allregs; if (!retregs) retregs = allregs; regs1 = retregs & mLSW; regs2 = retregs & mMSW; } if (e.Eoper == OPrpair) { // swap regs1 ^= regs2; regs2 ^= regs1; regs1 ^= regs2; } //printf("1: regs1 = %s, regs2 = %s\n", regm_str(regs1), regm_str(regs2)); codelem(cdb,e.EV.E1, &regs1, false); scodelem(cdb,e.EV.E2, &regs2, regs1, false); //printf("2: regs1 = %s, regs2 = %s\n", regm_str(regs1), regm_str(regs2)); if (e.EV.E1.Ecount) getregs(cdb,regs1); if (e.EV.E2.Ecount) getregs(cdb,regs2); fixresult(cdb,e,regs1 | regs2,pretregs); } /************************* * Generate code for OPcmpxchg */ void cdcmpxchg(ref CodeBuilder cdb, elem *e, regm_t *pretregs) { /* The form is: * OPcmpxchg * / \ * lvalue OPparam * / \ * old new */ //printf("cdmulass(e=%p, *pretregs = %s)\n",e,regm_str(*pretregs)); elem *e1 = e.EV.E1; elem *e2 = e.EV.E2; assert(e2.Eoper == OPparam); assert(!e2.Ecount); tym_t tyml = tybasic(e1.Ety); // type of lvalue uint sz = _tysize[tyml]; if (I32 && sz == 8) { regm_t retregs = mDX|mAX; codelem(cdb,e2.EV.E1,&retregs,false); // [DX,AX] = e2.EV.E1 retregs = mCX|mBX; scodelem(cdb,e2.EV.E2,&retregs,mDX|mAX,false); // [CX,BX] = e2.EV.E2 code cs; getlvalue(cdb,&cs,e1,mCX|mBX|mAX|mDX); // get EA getregs(cdb,mDX|mAX); // CMPXCHG destroys these regs if (e1.Ety & mTYvolatile) cdb.gen1(LOCK); // LOCK prefix cs.Iop = 0x0FC7; // CMPXCHG8B EA cs.Iflags |= CFpsw; code_newreg(&cs,1); cdb.gen(&cs); assert(!e1.Ecount); freenode(e1); } else { uint isbyte = (sz == 1); // 1 for byte operation ubyte word = (!I16 && sz == SHORTSIZE) ? CFopsize : 0; uint rex = (I64 && sz == 8) ? REX_W : 0; regm_t retregs = mAX; codelem(cdb,e2.EV.E1,&retregs,false); // AX = e2.EV.E1 retregs = (ALLREGS | mBP) & ~mAX; scodelem(cdb,e2.EV.E2,&retregs,mAX,false); // load rvalue in reg code cs; getlvalue(cdb,&cs,e1,mAX | retregs); // get EA getregs(cdb,mAX); // CMPXCHG destroys AX if (e1.Ety & mTYvolatile) cdb.gen1(LOCK); // LOCK prefix cs.Iop = 0x0FB1 ^ isbyte; // CMPXCHG EA,reg cs.Iflags |= CFpsw | word; cs.Irex |= rex; reg_t reg = findreg(retregs); code_newreg(&cs,reg); cdb.gen(&cs); assert(!e1.Ecount); freenode(e1); } regm_t retregs; if ((retregs = (*pretregs & (ALLREGS | mBP))) != 0) // if return result in register { assert(tysize(e.Ety) == 1); assert(I64 || retregs & BYTEREGS); reg_t reg; allocreg(cdb,&retregs,&reg,TYint); uint ea = modregrmx(3,0,reg); if (I64 && reg >= 4) ea |= REX << 16; cdb.gen2(0x0F94,ea); // SETZ reg *pretregs = retregs; } } /************************* * Generate code for OPprefetch */ void cdprefetch(ref CodeBuilder cdb, elem *e, regm_t *pretregs) { /* Generate the following based on e2: * 0: prefetch0 * 1: prefetch1 * 2: prefetch2 * 3: prefetchnta * 4: prefetchw * 5: prefetchwt1 */ //printf("cdprefetch\n"); elem *e1 = e.EV.E1; assert(*pretregs == 0); assert(e.EV.E2.Eoper == OPconst); opcode_t op; reg_t reg; switch (e.EV.E2.EV.Vuns) { case 0: op = PREFETCH; reg = 1; break; // PREFETCH0 case 1: op = PREFETCH; reg = 2; break; // PREFETCH1 case 2: op = PREFETCH; reg = 3; break; // PREFETCH2 case 3: op = PREFETCH; reg = 0; break; // PREFETCHNTA case 4: op = 0x0F0D; reg = 1; break; // PREFETCHW case 5: op = 0x0F0D; reg = 2; break; // PREFETCHWT1 default: assert(0); } freenode(e.EV.E2); code cs; getlvalue(cdb,&cs,e1,0); cs.Iop = op; cs.Irm |= modregrm(0,reg,0); cs.Iflags |= CFvolatile; // do not schedule cdb.gen(&cs); } /********************* * Load register from EA of assignment operation. * Params: * cdb = store generated code here * cs = instruction with EA already set in it * e = assignment expression that will be evaluated * reg = set to register loaded from EA * retregs = register candidates for reg */ private void opAssLoadReg(ref CodeBuilder cdb, ref code cs, elem* e, out reg_t reg, regm_t retregs) { modEA(cdb, &cs); allocreg(cdb,&retregs,&reg,TYoffset); cs.Iop = LOD; code_newreg(&cs,reg); cdb.gen(&cs); // MOV reg,EA } /********************* * Load register pair from EA of assignment operation. * Params: * cdb = store generated code here * cs = instruction with EA already set in it * e = assignment expression that will be evaluated * rhi = set to most significant register of the pair * rlo = set toleast significant register of the pair * retregs = register candidates for rhi, rlo * keepmsk = registers to not modify */ private void opAssLoadPair(ref CodeBuilder cdb, ref code cs, elem* e, out reg_t rhi, out reg_t rlo, regm_t retregs, regm_t keepmsk) { getlvalue(cdb,&cs,e.EV.E1,retregs | keepmsk); const tym_t tyml = tybasic(e.EV.E1.Ety); // type of lvalue reg_t reg; allocreg(cdb,&retregs,&reg,tyml); rhi = findregmsw(retregs); rlo = findreglsw(retregs); cs.Iop = LOD; code_newreg(&cs,rlo); cdb.gen(&cs); // MOV rlo,EA getlvalue_msw(&cs); code_newreg(&cs,rhi); cdb.gen(&cs); // MOV rhi,EA+2 getlvalue_lsw(&cs); } /********************************************************* * Store register result of assignment operation EA. * Params: * cdb = store generated code here * cs = instruction with EA already set in it * e = assignment expression that was evaluated * reg = register of result * pretregs = registers to store result in */ private void opAssStoreReg(ref CodeBuilder cdb, ref code cs, elem* e, reg_t reg, regm_t* pretregs) { elem* e1 = e.EV.E1; const tym_t tyml = tybasic(e1.Ety); // type of lvalue const uint sz = _tysize[tyml]; const ubyte isbyte = (sz == 1); // 1 for byte operation cs.Iop = STO ^ isbyte; code_newreg(&cs,reg); cdb.gen(&cs); // MOV EA,resreg if (e1.Ecount) // if we gen a CSE cssave(e1,mask(reg),!OTleaf(e1.Eoper)); freenode(e1); fixresult(cdb,e,mask(reg),pretregs); } /********************************************************* * Store register pair result of assignment operation EA. * Params: * cdb = store generated code here * cs = instruction with EA already set in it * e = assignment expression that was evaluated * rhi = most significant register of the pair * rlo = least significant register of the pair * pretregs = registers to store result in */ private void opAssStorePair(ref CodeBuilder cdb, ref code cs, elem* e, reg_t rhi, reg_t rlo, regm_t* pretregs) { cs.Iop = STO; code_newreg(&cs,rlo); cdb.gen(&cs); // MOV EA,lsreg code_newreg(&cs,rhi); getlvalue_msw(&cs); cdb.gen(&cs); // MOV EA+REGSIZE,msreg const regm_t retregs = mask(rhi) | mask(rlo); elem* e1 = e.EV.E1; if (e1.Ecount) // if we gen a CSE cssave(e1,retregs,!OTleaf(e1.Eoper)); freenode(e1); fixresult(cdb,e,retregs,pretregs); } }
D
; Copyright (C) 2008 The Android Open Source Project ; ; Licensed under the Apache License, Version 2.0 (the "License"); ; you may not use this file except in compliance with the License. ; You may obtain a copy of the License at ; ; http://www.apache.org/licenses/LICENSE-2.0 ; ; Unless required by applicable law or agreed to in writing, software ; distributed under the License is distributed on an "AS IS" BASIS, ; WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. ; See the License for the specific language governing permissions and ; limitations under the License. .source T_rem_float_2.java .class public dot.junit.opcodes.rem_float.d.T_rem_float_2 .super java/lang/Object .method public <init>()V .limit regs 1 invoke-direct {v0}, java/lang/Object/<init>()V return-void .end method .method public run(FF)F .limit regs 8 rem-float v0, v7, v8 return v0 .end method
D
////////////////////////////////////////////////////////////////////////// // ZS_AssessMonster // ================ // Dieser Zustand wird durch // // - B_AssessEnemy -> NSC entdeckt feindliches Monster // - B_AssessFighter -> NSC entdeckt Monster im Kampfmodus (trifft auf alle zu!) // - B_AssessFightSound -> NSC hört Monster kämpfen // - B_AssessWarn -> NSC wird vor Monster gewarnt (VORSICHT: Noch nicht überarbeitet!) // - B_ObserveIntruder -> NSC wird von Monster überrascht // // gestartet. Folgende Bedingungen werden ebenfalls vorausgesetzt: // // - Das Monster ist aggressiv und würde den NSC angreifen! // - Das Monster befindet sich innerhalb von 'HAI_DIST_ASSESS_MONSTER' // // Es passiert folgendes: // 1. Wenn NSC eine Wache ist, greift er sofort an // 1. Wenn NSC einer Boss-Gilde angehört, greift er sofort an // 2. Wenn NSC einer Arbeiter-Gilde angehört, vergleicht er die Stärke // des Monsters mit seiner eigenen // -> NSC stärker: Waffe ziehen und abwarten bis das Monster auf // Attack-Range 'HAI_DIST_ATTACK_MONSTER' heran ist, dann // angreifen. // -> Monster stärker: NSC flieht sofort! ////////////////////////////////////////////////////////////////////////// func void ZS_AssessMonster () { PrintDebugNpc (PD_ZS_FRAME, "ZS_AssessMonster" ); C_ZSInit (); Npc_PercEnable (self, PERC_ASSESSMAGIC , B_AssessMagic ); Npc_PercEnable (self, PERC_ASSESSTALK , B_RefuseTalk ); Npc_PercEnable (self, PERC_ASSESSSURPRISE , ZS_AssessSurprise ); Npc_SetPercTime (self, 0.5); PrintGlobals (PD_ZS_CHECK); //-------- Monster kampfunfähig ? -------- if C_NpcIsDown(other) { PrintDebugNpc (PD_ZS_CHECK, "...Monster kampfunfähig!"); return; }; //######## Ist NSC eine WACHE oder BOSS ? ######## if ( C_NpcIsGuard(self) || C_NpcIsGuardArcher(self) || C_NpcIsBoss(self) ) { PrintDebugNpc (PD_ZS_CHECK, "...NSC ist WACHE(NK/FK) oder BOSS!" ); B_FullStop (self); B_SayOverlay (self, NULL, "$DieMonster"); Npc_SetTarget (self, other); AI_StartState (self, ZS_Attack, 0, ""); return; } //######## ...NSC ist ein ARBEITER ? ######## else { PrintDebugNpc (PD_ZS_CHECK, " ...NSC ist wede WACHE noch BOSS!"); if (C_AmIStronger (self, other)) { PrintDebugNpc (PD_ZS_CHECK, " ...aber trotzdem stärker als das Monster!"); B_FullStop (self); B_DrawWeapon (self, other); // also schon mal in Kampfbereitschaft return; // ...und Distanz zum Monster checken (ab in die Loop!) } else { PrintDebugNpc (PD_ZS_CHECK, " ...und noch dazu schwächer als das Monster!"); B_FullStop (self); B_WhirlAround (self, other); Npc_SetTarget (self, other); B_SayOverlay (self, NULL, "$ShitWhatAMonster"); Npc_GetTarget ( self); AI_StartState (self, ZS_Flee, 0, ""); }; }; }; func int ZS_AssessMonster_Loop () { PrintDebugNpc (PD_ZS_LOOP, "ZS_AssessMonster_Loop"); var int distance; distance = Npc_GetDistToNpc(self, other); //-------- Auswahl/Wechsel der richtigen Waffe -------- if (Npc_GetStateTime (self) > 1) { PrintDebugNpc (PD_ZS_CHECK, "...1 Sekunden in der Loop -> Waffencheck!"); B_SmartTurnToNpc (self, other); B_SelectWeapon (self, other); Npc_SetStateTime (self, 0); }; //-------- Fernkampfwaffe bereit ? -------- if (Npc_IsInFightMode(self, FMODE_FAR) || Npc_IsInFightMode(self, FMODE_MAGIC)) { Npc_SetTarget (self, other); AI_StartState (self, ZS_Attack, 0, ""); //...dann auch aus der Beobachtungsdistanz angreifen }; //-------- Monster zu nahe dran ? -------- if (distance < HAI_DIST_ATTACK_MONSTER) { PrintDebugNpc (PD_ZS_CHECK, "...Monster ist jetzt zu nahe herangekommen!"); Npc_SetTarget (self, other); B_SayOverlay (self, NULL, "$DieMonster"); AI_StartState (self, ZS_Attack, 0, ""); } //-------- Monster wieder weit genug weg ? -------- else if (distance > HAI_DIST_ABORT_ASSESS_MONSTER ) { PrintDebugNpc (PD_ZS_CHECK, "...Monster ist wieder weit genug weg!"); return LOOP_END; } //-------- Monster kampfunfähig ? -------- else if (C_NpcIsDown(other)) { PrintDebugNpc (PD_ZS_CHECK, "...Monster kampfunfähig!"); return LOOP_END; } //-------- Schleife fortsetzen -------- else { return LOOP_CONTINUE; }; }; func void ZS_AssessMonster_End () { PrintDebugNpc (PD_ZS_FRAME, "ZS_AssessMonster_End" ); B_RemoveWeapon (self); AI_ContinueRoutine (self); };
D
/** * Compiler implementation of the * $(LINK2 http://www.dlang.org, D programming language). * * Copyright: Copyright (c) 1999-2017 by Digital Mars, All Rights Reserved * Authors: $(LINK2 http://www.digitalmars.com, Walter Bright) * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(DMDSRC backend/dt.di) */ module ddmd.backend.dt; import ddmd.backend.cc; import ddmd.backend.ty; import ddmd.backend.type; //struct Symbol; //alias uint tym_t; //struct dt_t; nothrow: @nogc: extern (C++) { void dt_free(dt_t*); void dtpatchoffset(dt_t *dt, uint offset); bool dtallzeros(const(dt_t)* dt); bool dtpointers(const(dt_t)* dt); void dt2common(dt_t **pdt); } extern (C++) class DtBuilder { private: dt_t* head; dt_t** pTail; public: this() { pTail = &head; } extern (C++): dt_t* finish(); final: void nbytes(uint size, const(char)* ptr); void abytes(tym_t ty, uint offset, uint size, const(char)* ptr, uint nzeros); void abytes(uint offset, uint size, const(char)* ptr, uint nzeros); void dword(int value); void size(ulong value); void nzeros(uint size); void xoff(Symbol* s, uint offset, tym_t ty); dt_t* xoffpatch(Symbol* s, uint offset, tym_t ty); void xoff(Symbol* s, uint offset); void dtoff(dt_t* dt, uint offset); void coff(uint offset); void cat(dt_t* dt); void cat(DtBuilder dtb); void repeat(dt_t* dt, size_t count); uint length(); bool isZeroLength(); };
D
/** * Compiler implementation of the * $(LINK2 http://www.dlang.org, D programming language). * * Copyright: Copyright (C) 1994-1998 by Symantec * Copyright (C) 2000-2020 by The D Language Foundation, All Rights Reserved * Authors: $(LINK2 http://www.digitalmars.com, Walter Bright) * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/backend/cod3.d, backend/cod3.d) * Documentation: https://dlang.org/phobos/dmd_backend_cod3.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/backend/cod3.d */ module dmd.backend.cod3; version (SCPP) version = COMPILE; version (MARS) version = COMPILE; version (COMPILE) { import core.stdc.stdio; import core.stdc.stdlib; import core.stdc.string; import dmd.backend.backend; import dmd.backend.cc; import dmd.backend.cdef; import dmd.backend.cgcse; import dmd.backend.code; import dmd.backend.code_x86; import dmd.backend.codebuilder; import dmd.backend.dlist; import dmd.backend.dvec; import dmd.backend.melf; import dmd.backend.mem; import dmd.backend.el; import dmd.backend.exh; import dmd.backend.global; import dmd.backend.obj; import dmd.backend.oper; import dmd.backend.outbuf; import dmd.backend.rtlsym; import dmd.backend.ty; import dmd.backend.type; import dmd.backend.xmm; version (SCPP) { import parser; import precomp; } extern (C++): nothrow: version (MARS) enum MARS = true; else enum MARS = false; int REGSIZE(); extern __gshared CGstate cgstate; extern __gshared ubyte[FLMAX] segfl; extern __gshared bool[FLMAX] stackfl, flinsymtab; private extern (D) uint mask(uint m) { return 1 << m; } //private void genorreg(ref CodeBuilder c, uint t, uint f) { genregs(c, 0x09, f, t); } extern __gshared targ_size_t retsize; enum JMPJMPTABLE = false; // benchmarking shows it's slower enum MINLL = 0x8000_0000_0000_0000L; enum MAXLL = 0x7FFF_FFFF_FFFF_FFFFL; /************* * Size in bytes of each instruction. * 0 means illegal instruction. * bit M: if there is a modregrm field (EV1 is reserved for modregrm) * bit T: if there is a second operand (EV2) * bit E: if second operand is only 8 bits * bit A: a short version exists for the AX reg * bit R: a short version exists for regs * bits 2..0: size of instruction (excluding optional bytes) */ enum { M = 0x80, T = 0x40, E = 0x20, A = 0x10, R = 0x08, W = 0, } private __gshared ubyte[256] inssize = [ M|2,M|2,M|2,M|2, T|E|2,T|3,1,1, /* 00 */ M|2,M|2,M|2,M|2, T|E|2,T|3,1,1, /* 08 */ M|2,M|2,M|2,M|2, T|E|2,T|3,1,1, /* 10 */ M|2,M|2,M|2,M|2, T|E|2,T|3,1,1, /* 18 */ M|2,M|2,M|2,M|2, T|E|2,T|3,1,1, /* 20 */ M|2,M|2,M|2,M|2, T|E|2,T|3,1,1, /* 28 */ M|2,M|2,M|2,M|2, T|E|2,T|3,1,1, /* 30 */ M|2,M|2,M|2,M|2, T|E|2,T|3,1,1, /* 38 */ 1,1,1,1, 1,1,1,1, /* 40 */ 1,1,1,1, 1,1,1,1, /* 48 */ 1,1,1,1, 1,1,1,1, /* 50 */ 1,1,1,1, 1,1,1,1, /* 58 */ 1,1,M|2,M|2, 1,1,1,1, /* 60 */ T|3,M|T|4,T|E|2,M|T|E|3, 1,1,1,1, /* 68 */ T|E|2,T|E|2,T|E|2,T|E|2, T|E|2,T|E|2,T|E|2,T|E|2, /* 70 */ T|E|2,T|E|2,T|E|2,T|E|2, T|E|2,T|E|2,T|E|2,T|E|2, /* 78 */ M|T|E|A|3,M|T|A|4,M|T|E|3,M|T|E|3, M|2,M|2,M|2,M|A|R|2, /* 80 */ M|A|2,M|A|2,M|A|2,M|A|2, M|2,M|2,M|2,M|R|2, /* 88 */ 1,1,1,1, 1,1,1,1, /* 90 */ 1,1,T|5,1, 1,1,1,1, /* 98 */ // cod3_set32() patches this // T|5,T|5,T|5,T|5, 1,1,1,1, /* A0 */ T|3,T|3,T|3,T|3, 1,1,1,1, /* A0 */ T|E|2,T|3,1,1, 1,1,1,1, /* A8 */ T|E|2,T|E|2,T|E|2,T|E|2, T|E|2,T|E|2,T|E|2,T|E|2, /* B0 */ T|3,T|3,T|3,T|3, T|3,T|3,T|3,T|3, /* B8 */ M|T|E|3,M|T|E|3,T|3,1, M|2,M|2,M|T|E|R|3,M|T|R|4, /* C0 */ T|E|4,1,T|3,1, 1,T|E|2,1,1, /* C8 */ M|2,M|2,M|2,M|2, T|E|2,T|E|2,0,1, /* D0 */ /* For the floating instructions, allow room for the FWAIT */ M|2,M|2,M|2,M|2, M|2,M|2,M|2,M|2, /* D8 */ T|E|2,T|E|2,T|E|2,T|E|2, T|E|2,T|E|2,T|E|2,T|E|2, /* E0 */ T|3,T|3,T|5,T|E|2, 1,1,1,1, /* E8 */ 1,0,1,1, 1,1,M|A|2,M|A|2, /* F0 */ 1,1,1,1, 1,1,M|2,M|R|2 /* F8 */ ]; private __gshared const ubyte[256] inssize32 = [ 2,2,2,2, 2,5,1,1, /* 00 */ 2,2,2,2, 2,5,1,1, /* 08 */ 2,2,2,2, 2,5,1,1, /* 10 */ 2,2,2,2, 2,5,1,1, /* 18 */ 2,2,2,2, 2,5,1,1, /* 20 */ 2,2,2,2, 2,5,1,1, /* 28 */ 2,2,2,2, 2,5,1,1, /* 30 */ 2,2,2,2, 2,5,1,1, /* 38 */ 1,1,1,1, 1,1,1,1, /* 40 */ 1,1,1,1, 1,1,1,1, /* 48 */ 1,1,1,1, 1,1,1,1, /* 50 */ 1,1,1,1, 1,1,1,1, /* 58 */ 1,1,2,2, 1,1,1,1, /* 60 */ 5,6,2,3, 1,1,1,1, /* 68 */ 2,2,2,2, 2,2,2,2, /* 70 */ 2,2,2,2, 2,2,2,2, /* 78 */ 3,6,3,3, 2,2,2,2, /* 80 */ 2,2,2,2, 2,2,2,2, /* 88 */ 1,1,1,1, 1,1,1,1, /* 90 */ 1,1,7,1, 1,1,1,1, /* 98 */ 5,5,5,5, 1,1,1,1, /* A0 */ 2,5,1,1, 1,1,1,1, /* A8 */ 2,2,2,2, 2,2,2,2, /* B0 */ 5,5,5,5, 5,5,5,5, /* B8 */ 3,3,3,1, 2,2,3,6, /* C0 */ 4,1,3,1, 1,2,1,1, /* C8 */ 2,2,2,2, 2,2,0,1, /* D0 */ /* For the floating instructions, don't need room for the FWAIT */ 2,2,2,2, 2,2,2,2, /* D8 */ 2,2,2,2, 2,2,2,2, /* E0 */ 5,5,7,2, 1,1,1,1, /* E8 */ 1,0,1,1, 1,1,2,2, /* F0 */ 1,1,1,1, 1,1,2,2 /* F8 */ ]; /* For 2 byte opcodes starting with 0x0F */ private __gshared ubyte[256] inssize2 = [ M|3,M|3,M|3,M|3, 2,2,2,2, // 00 2,2,M|3,2, 2,M|3,2,M|T|E|4, // 08 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // 10 M|3,2,2,2, 2,2,2,2, // 18 M|3,M|3,M|3,M|3, M|3,2,M|3,2, // 20 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // 28 2,2,2,2, 2,2,2,2, // 30 M|4,2,M|T|E|5,2, 2,2,2,2, // 38 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // 40 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // 48 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // 50 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // 58 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // 60 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // 68 M|T|E|4,M|T|E|4,M|T|E|4,M|T|E|4, M|3,M|3,M|3,2, // 70 2,2,2,2, M|3,M|3,M|3,M|3, // 78 W|T|4,W|T|4,W|T|4,W|T|4, W|T|4,W|T|4,W|T|4,W|T|4, // 80 W|T|4,W|T|4,W|T|4,W|T|4, W|T|4,W|T|4,W|T|4,W|T|4, // 88 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // 90 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // 98 2,2,2,M|3, M|T|E|4,M|3,2,2, // A0 2,2,2,M|3, M|T|E|4,M|3,M|3,M|3, // A8 M|E|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // B0 M|3,2,M|T|E|4,M|3, M|3,M|3,M|3,M|3, // B8 M|3,M|3,M|T|E|4,M|3, M|T|E|4,M|T|E|4,M|T|E|4,M|3, // C0 2,2,2,2, 2,2,2,2, // C8 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // D0 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // D8 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // E0 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // E8 M|3,M|3,M|3,M|3, M|3,M|3,M|3,M|3, // F0 M|3,M|3,M|3,M|3, M|3,M|3,M|3,2 // F8 ]; /************************************************* * Generate code to save `reg` in `regsave` stack area. * Params: * regsave = register save areay on stack * cdb = where to write generated code * reg = register to save * idx = set to location in regsave for use in REGSAVE_restore() */ void REGSAVE_save(ref REGSAVE regsave, ref CodeBuilder cdb, reg_t reg, out uint idx) { if (isXMMreg(reg)) { regsave.alignment = 16; regsave.idx = (regsave.idx + 15) & ~15; idx = regsave.idx; regsave.idx += 16; // MOVD idx[RBP],xmm opcode_t op = STOAPD; if (TARGET_LINUX && I32) // Haven't yet figured out why stack is not aligned to 16 op = STOUPD; cdb.genc1(op,modregxrm(2, reg - XMM0, BPRM),FLregsave,cast(targ_uns) idx); } else { if (!regsave.alignment) regsave.alignment = REGSIZE; idx = regsave.idx; regsave.idx += REGSIZE; // MOV idx[RBP],reg cdb.genc1(0x89,modregxrm(2, reg, BPRM),FLregsave,cast(targ_uns) idx); if (I64) code_orrex(cdb.last(), REX_W); } reflocal = true; if (regsave.idx > regsave.top) regsave.top = regsave.idx; // keep high water mark } /******************************* * Restore `reg` from `regsave` area. * Complement REGSAVE_save(). */ void REGSAVE_restore(const ref REGSAVE regsave, ref CodeBuilder cdb, reg_t reg, uint idx) { if (isXMMreg(reg)) { assert(regsave.alignment == 16); // MOVD xmm,idx[RBP] opcode_t op = LODAPD; if (TARGET_LINUX && I32) // Haven't yet figured out why stack is not aligned to 16 op = LODUPD; cdb.genc1(op,modregxrm(2, reg - XMM0, BPRM),FLregsave,cast(targ_uns) idx); } else { // MOV reg,idx[RBP] cdb.genc1(0x8B,modregxrm(2, reg, BPRM),FLregsave,cast(targ_uns) idx); if (I64) code_orrex(cdb.last(), REX_W); } } /************************************ * Size for vex encoded instruction. */ ubyte vex_inssize(code *c) { assert(c.Iflags & CFvex && c.Ivex.pfx == 0xC4); ubyte ins; if (c.Iflags & CFvex3) { switch (c.Ivex.mmmm) { case 0: // no prefix case 1: // 0F ins = cast(ubyte)(inssize2[c.Ivex.op] + 2); break; case 2: // 0F 38 ins = cast(ubyte)(inssize2[0x38] + 1); break; case 3: // 0F 3A ins = cast(ubyte)(inssize2[0x3A] + 1); break; default: printf("Iop = %x mmmm = %x\n", c.Iop, c.Ivex.mmmm); assert(0); } } else { ins = cast(ubyte)(inssize2[c.Ivex.op] + 1); } return ins; } /************************************ * Determine if there is a modregrm byte for code. */ int cod3_EA(code *c) { uint ins; opcode_t op1 = c.Iop & 0xFF; if (op1 == ESCAPE) ins = 0; else if ((c.Iop & 0xFFFD00) == 0x0F3800) ins = inssize2[(c.Iop >> 8) & 0xFF]; else if ((c.Iop & 0xFF00) == 0x0F00) ins = inssize2[op1]; else ins = inssize[op1]; return ins & M; } /******************************** * setup ALLREGS and BYTEREGS * called by: codgen */ void cod3_initregs() { if (I64) { ALLREGS = mAX|mBX|mCX|mDX|mSI|mDI| mR8|mR9|mR10|mR11|mR12|mR13|mR14|mR15; BYTEREGS = ALLREGS; } else { ALLREGS = ALLREGS_INIT; BYTEREGS = BYTEREGS_INIT; } } /******************************** * set initial global variable values */ void cod3_setdefault() { fregsaved = mBP | mSI | mDI; } /******************************** * Fix global variables for 386. */ void cod3_set32() { inssize[0xA0] = T|5; inssize[0xA1] = T|5; inssize[0xA2] = T|5; inssize[0xA3] = T|5; BPRM = 5; /* [EBP] addressing mode */ fregsaved = mBP | mBX | mSI | mDI; // saved across function calls FLOATREGS = FLOATREGS_32; FLOATREGS2 = FLOATREGS2_32; DOUBLEREGS = DOUBLEREGS_32; if (config.flags3 & CFG3eseqds) fregsaved |= mES; foreach (ref v; inssize2[0x80 .. 0x90]) v = W|T|6; TARGET_STACKALIGN = config.fpxmmregs ? 16 : 4; } /******************************** * Fix global variables for I64. */ void cod3_set64() { inssize[0xA0] = T|5; // MOV AL,mem inssize[0xA1] = T|5; // MOV RAX,mem inssize[0xA2] = T|5; // MOV mem,AL inssize[0xA3] = T|5; // MOV mem,RAX BPRM = 5; // [RBP] addressing mode static if (TARGET_WINDOS) { fregsaved = mBP | mBX | mDI | mSI | mR12 | mR13 | mR14 | mR15 | mES | mXMM6 | mXMM7; // also XMM8..15; } else { fregsaved = mBP | mBX | mR12 | mR13 | mR14 | mR15 | mES; // saved across function calls } FLOATREGS = FLOATREGS_64; FLOATREGS2 = FLOATREGS2_64; DOUBLEREGS = DOUBLEREGS_64; ALLREGS = mAX|mBX|mCX|mDX|mSI|mDI| mR8|mR9|mR10|mR11|mR12|mR13|mR14|mR15; BYTEREGS = ALLREGS; foreach (ref v; inssize2[0x80 .. 0x90]) v = W|T|6; TARGET_STACKALIGN = config.fpxmmregs ? 16 : 8; } /********************************* * Word or dword align start of function. * Params: * seg = segment to write alignment bytes to * nbytes = number of alignment bytes to write */ void cod3_align_bytes(int seg, size_t nbytes) { /* Table 4-2 from Intel Instruction Set Reference M-Z * 1 bytes NOP 90 * 2 bytes 66 NOP 66 90 * 3 bytes NOP DWORD ptr [EAX] 0F 1F 00 * 4 bytes NOP DWORD ptr [EAX + 00H] 0F 1F 40 00 * 5 bytes NOP DWORD ptr [EAX + EAX*1 + 00H] 0F 1F 44 00 00 * 6 bytes 66 NOP DWORD ptr [EAX + EAX*1 + 00H] 66 0F 1F 44 00 00 * 7 bytes NOP DWORD ptr [EAX + 00000000H] 0F 1F 80 00 00 00 00 * 8 bytes NOP DWORD ptr [EAX + EAX*1 + 00000000H] 0F 1F 84 00 00 00 00 00 * 9 bytes 66 NOP DWORD ptr [EAX + EAX*1 + 00000000H] 66 0F 1F 84 00 00 00 00 00 * only for CPUs: CPUID.01H.EAX[Bytes 11:8] = 0110B or 1111B */ assert(SegData[seg].SDseg == seg); while (nbytes) { size_t n = nbytes; const(char)* p; if (nbytes > 1 && (I64 || config.fpxmmregs)) { switch (n) { case 2: p = "\x66\x90"; break; case 3: p = "\x0F\x1F\x00"; break; case 4: p = "\x0F\x1F\x40\x00"; break; case 5: p = "\x0F\x1F\x44\x00\x00"; break; case 6: p = "\x66\x0F\x1F\x44\x00\x00"; break; case 7: p = "\x0F\x1F\x80\x00\x00\x00\x00"; break; case 8: p = "\x0F\x1F\x84\x00\x00\x00\x00\x00"; break; default: p = "\x66\x0F\x1F\x84\x00\x00\x00\x00\x00"; n = 9; break; } } else { static immutable ubyte[15] nops = [ 0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90 ]; // XCHG AX,AX if (n > nops.length) n = nops.length; p = cast(char*)nops; } objmod.write_bytes(SegData[seg],cast(uint)n,cast(char*)p); nbytes -= n; } } /**************************** * Align start of function. * Params: * seg = segment of function */ void cod3_align(int seg) { uint nbytes; static if (TARGET_WINDOS) { if (config.flags4 & CFG4speed) // if optimized for speed { // Pick alignment based on CPU target if (config.target_cpu == TARGET_80486 || config.target_cpu >= TARGET_PentiumPro) { // 486 does reads on 16 byte boundaries, so if we are near // such a boundary, align us to it nbytes = -Offset(seg) & 15; if (nbytes < 8) cod3_align_bytes(seg, nbytes); } } } else { nbytes = -Offset(seg) & 7; cod3_align_bytes(seg, nbytes); } } /********************************** * Generate code to adjust the stack pointer by `nbytes` * Params: * cdb = code builder * nbytes = number of bytes to adjust stack pointer */ void cod3_stackadj(ref CodeBuilder cdb, int nbytes) { //printf("cod3_stackadj(%d)\n", nbytes); uint grex = I64 ? REX_W << 16 : 0; uint rm; if (nbytes > 0) rm = modregrm(3,5,SP); // SUB ESP,nbytes else { nbytes = -nbytes; rm = modregrm(3,0,SP); // ADD ESP,nbytes } cdb.genc2(0x81, grex | rm, nbytes); } /********************************** * Generate code to align the stack pointer at `nbytes` * Params: * cdb = code builder * nbytes = number of bytes to align stack pointer */ void cod3_stackalign(ref CodeBuilder cdb, int nbytes) { //printf("cod3_stackalign(%d)\n", nbytes); const grex = I64 ? REX_W << 16 : 0; const rm = modregrm(3, 4, SP); // AND ESP,-nbytes cdb.genc2(0x81, grex | rm, -nbytes); } static if (ELFOBJ) { /* Constructor that links the ModuleReference to the head of * the list pointed to by _Dmoduleref */ void cod3_buildmodulector(Outbuffer* buf, int codeOffset, int refOffset) { /* ret * codeOffset: * pushad * mov EAX,&ModuleReference * mov ECX,_DmoduleRef * mov EDX,[ECX] * mov [EAX],EDX * mov [ECX],EAX * popad * ret */ const int seg = CODE; if (I64 && config.flags3 & CFG3pic) { // LEA RAX,ModuleReference[RIP] buf.writeByte(REX | REX_W); buf.writeByte(LEA); buf.writeByte(modregrm(0,AX,5)); codeOffset += 3; codeOffset += Obj.writerel(seg, codeOffset, R_X86_64_PC32, 3 /*STI_DATA*/, refOffset - 4); // MOV RCX,_DmoduleRef@GOTPCREL[RIP] buf.writeByte(REX | REX_W); buf.writeByte(0x8B); buf.writeByte(modregrm(0,CX,5)); codeOffset += 3; codeOffset += Obj.writerel(seg, codeOffset, R_X86_64_GOTPCREL, Obj.external_def("_Dmodule_ref"), -4); } else { /* movl ModuleReference*, %eax */ buf.writeByte(0xB8); codeOffset += 1; const uint reltype = I64 ? R_X86_64_32 : R_386_32; codeOffset += Obj.writerel(seg, codeOffset, reltype, 3 /*STI_DATA*/, refOffset); /* movl _Dmodule_ref, %ecx */ buf.writeByte(0xB9); codeOffset += 1; codeOffset += Obj.writerel(seg, codeOffset, reltype, Obj.external_def("_Dmodule_ref"), 0); } if (I64) buf.writeByte(REX | REX_W); buf.writeByte(0x8B); buf.writeByte(0x11); /* movl (%ecx), %edx */ if (I64) buf.writeByte(REX | REX_W); buf.writeByte(0x89); buf.writeByte(0x10); /* movl %edx, (%eax) */ if (I64) buf.writeByte(REX | REX_W); buf.writeByte(0x89); buf.writeByte(0x01); /* movl %eax, (%ecx) */ buf.writeByte(0xC3); /* ret */ } } /***************************** * Given a type, return a mask of * registers to hold that type. * Input: * tyf function type */ regm_t regmask(tym_t tym, tym_t tyf) { switch (tybasic(tym)) { case TYvoid: case TYstruct: case TYarray: return 0; case TYbool: case TYwchar_t: case TYchar16: case TYchar: case TYschar: case TYuchar: case TYshort: case TYushort: case TYint: case TYuint: case TYnullptr: case TYnptr: case TYnref: case TYsptr: case TYcptr: case TYimmutPtr: case TYsharePtr: case TYrestrictPtr: case TYfgPtr: return mAX; case TYfloat: case TYifloat: if (I64) return mXMM0; if (config.exe & EX_flat) return mST0; goto case TYlong; case TYlong: case TYulong: case TYdchar: if (!I16) return mAX; goto case TYfptr; case TYfptr: case TYhptr: return mDX | mAX; case TYcent: case TYucent: assert(I64); return mDX | mAX; case TYvptr: return mDX | mBX; case TYdouble: case TYdouble_alias: case TYidouble: if (I64) return mXMM0; if (config.exe & EX_flat) return mST0; return DOUBLEREGS; case TYllong: case TYullong: return I64 ? cast(regm_t) mAX : (I32 ? mDX | mAX : DOUBLEREGS); case TYldouble: case TYildouble: return mST0; case TYcfloat: static if (TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { if (I32 && tybasic(tyf) == TYnfunc) return mDX | mAX; } goto case TYcdouble; case TYcdouble: if (I64) return mXMM0 | mXMM1; goto case TYcldouble; case TYcldouble: return mST01; // SIMD vector types case TYfloat4: case TYdouble2: case TYschar16: case TYuchar16: case TYshort8: case TYushort8: case TYlong4: case TYulong4: case TYllong2: case TYullong2: case TYfloat8: case TYdouble4: case TYschar32: case TYuchar32: case TYshort16: case TYushort16: case TYlong8: case TYulong8: case TYllong4: case TYullong4: if (!config.fpxmmregs) { printf("SIMD operations not supported on this platform\n"); exit(1); } return mXMM0; default: debug WRTYxx(tym); assert(0); } } /******************************* * setup register allocator parameters with platform specific data */ void cgreg_dst_regs(reg_t* dst_integer_reg, reg_t* dst_float_reg) { *dst_integer_reg = AX; *dst_float_reg = XMM0; } void cgreg_set_priorities(tym_t ty, const(reg_t)** pseq, const(reg_t)** pseqmsw) { const sz = tysize(ty); if (tyxmmreg(ty)) { static immutable ubyte[9] sequence = [XMM0,XMM1,XMM2,XMM3,XMM4,XMM5,XMM6,XMM7,NOREG]; *pseq = sequence.ptr; } else if (I64) { if (sz == REGSIZE * 2) { static immutable ubyte[3] seqmsw1 = [CX,DX,NOREG]; static immutable ubyte[5] seqlsw1 = [AX,BX,SI,DI,NOREG]; *pseq = seqlsw1.ptr; *pseqmsw = seqmsw1.ptr; } else { // R10 is reserved for the static link static immutable ubyte[15] sequence2 = [AX,CX,DX,SI,DI,R8,R9,R11,BX,R12,R13,R14,R15,BP,NOREG]; *pseq = cast(ubyte*)sequence2.ptr; } } else if (I32) { if (sz == REGSIZE * 2) { static immutable ubyte[5] seqlsw3 = [AX,BX,SI,DI,NOREG]; static immutable ubyte[3] seqmsw3 = [CX,DX,NOREG]; *pseq = seqlsw3.ptr; *pseqmsw = seqmsw3.ptr; } else { static immutable ubyte[8] sequence4 = [AX,CX,DX,BX,SI,DI,BP,NOREG]; *pseq = sequence4.ptr; } } else { assert(I16); if (typtr(ty)) { // For pointer types, try to pick index register first static immutable ubyte[8] seqidx5 = [BX,SI,DI,AX,CX,DX,BP,NOREG]; *pseq = seqidx5.ptr; } else { // Otherwise, try to pick index registers last static immutable ubyte[8] sequence6 = [AX,CX,DX,BX,SI,DI,BP,NOREG]; *pseq = sequence6.ptr; } } } /******************************************* * Call finally block. * Params: * bf = block to call * retregs = registers to preserve across call * Returns: * code generated */ private code *callFinallyBlock(block *bf, regm_t retregs) { CodeBuilder cdbs; cdbs.ctor(); CodeBuilder cdbr; cdbr.ctor(); int nalign = 0; calledFinally = true; uint npush = gensaverestore(retregs,cdbs,cdbr); if (STACKALIGN >= 16) { npush += REGSIZE; if (npush & (STACKALIGN - 1)) { nalign = STACKALIGN - (npush & (STACKALIGN - 1)); cod3_stackadj(cdbs, nalign); } } cdbs.genc(0xE8,0,0,0,FLblock,cast(targ_size_t)bf); regcon.immed.mval = 0; if (nalign) cod3_stackadj(cdbs, -nalign); cdbs.append(cdbr); return cdbs.finish(); } /******************************* * Generate block exit code */ void outblkexitcode(ref CodeBuilder cdb, block *bl, ref int anyspill, const(char)* sflsave, Symbol** retsym, const regm_t mfuncregsave) { CodeBuilder cdb2; cdb2.ctor(); elem *e = bl.Belem; block *nextb; regm_t retregs = 0; if (bl.BC != BCasm) assert(bl.Bcode == null); switch (bl.BC) /* block exit condition */ { case BCiftrue: { bool jcond = true; block *bs1 = bl.nthSucc(0); block *bs2 = bl.nthSucc(1); if (bs1 == bl.Bnext) { // Swap bs1 and bs2 block *btmp; jcond ^= 1; btmp = bs1; bs1 = bs2; bs2 = btmp; } logexp(cdb,e,jcond,FLblock,cast(code *) bs1); nextb = bs2; } L5: if (configv.addlinenumbers && bl.Bsrcpos.Slinnum && !(funcsym_p.ty() & mTYnaked)) { //printf("BCiftrue: %s(%u)\n", bl.Bsrcpos.Sfilename ? bl.Bsrcpos.Sfilename : "", bl.Bsrcpos.Slinnum); cdb.genlinnum(bl.Bsrcpos); } if (nextb != bl.Bnext) { assert(!(bl.Bflags & BFLepilog)); genjmp(cdb,JMP,FLblock,nextb); } break; case BCjmptab: case BCifthen: case BCswitch: { assert(!(bl.Bflags & BFLepilog)); doswitch(cdb,bl); // hide messy details break; } version (MARS) { case BCjcatch: // D catch clause of try-catch assert(ehmethod(funcsym_p) != EHmethod.EH_NONE); // Mark all registers as destroyed. This will prevent // register assignments to variables used in catch blocks. getregs(cdb,lpadregs()); if (config.ehmethod == EHmethod.EH_DWARF) { /* Each block must have ESP set to the same value it was at the end * of the prolog. But the unwinder calls catch blocks with ESP set * at the value it was when the throwing function was called, which * may have arguments pushed on the stack. * This instruction will reset ESP to the correct offset from EBP. */ cdb.gen1(ESCAPE | ESCfixesp); } goto case_goto; } version (SCPP) { case BCcatch: // C++ catch clause of try-catch // Mark all registers as destroyed. This will prevent // register assignments to variables used in catch blocks. getregs(cdb,allregs | mES); goto case_goto; case BCtry: usednteh |= EHtry; if (config.exe == EX_WIN32) usednteh |= NTEHtry; goto case_goto; } case BCgoto: nextb = bl.nthSucc(0); if ((MARS || funcsym_p.Sfunc.Fflags3 & Fnteh) && ehmethod(funcsym_p) != EHmethod.EH_DWARF && bl.Btry != nextb.Btry && nextb.BC != BC_finally) { regm_t retregsx = 0; gencodelem(cdb,e,&retregsx,true); int toindex = nextb.Btry ? nextb.Btry.Bscope_index : -1; assert(bl.Btry); int fromindex = bl.Btry.Bscope_index; version (MARS) { if (toindex + 1 == fromindex) { // Simply call __finally if (bl.Btry && bl.Btry.nthSucc(1).BC == BCjcatch) { goto L5; // it's a try-catch, not a try-finally } } } if (config.ehmethod == EHmethod.EH_WIN32 && !(funcsym_p.Sfunc.Fflags3 & Feh_none) || config.ehmethod == EHmethod.EH_SEH) { nteh_unwind(cdb,0,toindex); } else { version (MARS) { if (toindex + 1 <= fromindex) { //c = cat(c, linux_unwind(0, toindex)); block *bt; //printf("B%d: fromindex = %d, toindex = %d\n", bl.Bdfoidx, fromindex, toindex); bt = bl; while ((bt = bt.Btry) != null && bt.Bscope_index != toindex) { block *bf; //printf("\tbt.Bscope_index = %d, bt.Blast_index = %d\n", bt.Bscope_index, bt.Blast_index); bf = bt.nthSucc(1); // Only look at try-finally blocks if (bf.BC == BCjcatch) continue; if (bf == nextb) continue; //printf("\tbf = B%d, nextb = B%d\n", bf.Bdfoidx, nextb.Bdfoidx); if (nextb.BC == BCgoto && !nextb.Belem && bf == nextb.nthSucc(0)) continue; // call __finally cdb.append(callFinallyBlock(bf.nthSucc(0), retregsx)); } } } } goto L5; } case_goto: { regm_t retregsx = 0; gencodelem(cdb,e,&retregsx,true); if (anyspill) { // Add in the epilog code CodeBuilder cdbstore; cdbstore.ctor(); CodeBuilder cdbload; cdbload.ctor(); for (int i = 0; i < anyspill; i++) { Symbol *s = globsym.tab[i]; if (s.Sflags & SFLspill && vec_testbit(dfoidx,s.Srange)) { s.Sfl = sflsave[i]; // undo block register assignments cgreg_spillreg_epilog(bl,s,cdbstore,cdbload); } } cdb.append(cdbstore); cdb.append(cdbload); } nextb = bl.nthSucc(0); goto L5; } case BC_try: if (config.ehmethod == EHmethod.EH_NONE || funcsym_p.Sfunc.Fflags3 & Feh_none) { /* Need to use frame pointer to access locals, not the stack pointer, * because we'll be calling the BC_finally blocks and the stack will be off. */ needframe = 1; } else if (config.ehmethod == EHmethod.EH_SEH || config.ehmethod == EHmethod.EH_WIN32) { usednteh |= NTEH_try; nteh_usevars(); } else usednteh |= EHtry; goto case_goto; case BC_finally: if (ehmethod(funcsym_p) == EHmethod.EH_DWARF) { // Mark scratch registers as destroyed. getregsNoSave(lpadregs()); regm_t retregsx = 0; gencodelem(cdb,bl.Belem,&retregsx,true); // JMP bl.nthSucc(1) nextb = bl.nthSucc(1); goto L5; } else { if (config.ehmethod == EHmethod.EH_SEH || config.ehmethod == EHmethod.EH_WIN32 && !(funcsym_p.Sfunc.Fflags3 & Feh_none)) { // Mark all registers as destroyed. This will prevent // register assignments to variables used in finally blocks. getregsNoSave(lpadregs()); } assert(!e); // Generate CALL to finalizer code cdb.append(callFinallyBlock(bl.nthSucc(0), 0)); // JMP bl.nthSucc(1) nextb = bl.nthSucc(1); goto L5; } case BC_lpad: { assert(ehmethod(funcsym_p) == EHmethod.EH_DWARF); // Mark all registers as destroyed. This will prevent // register assignments to variables used in finally blocks. getregsNoSave(lpadregs()); regm_t retregsx = 0; gencodelem(cdb,bl.Belem,&retregsx,true); // JMP bl.nthSucc(0) nextb = bl.nthSucc(0); goto L5; } case BC_ret: { regm_t retregsx = 0; gencodelem(cdb,e,&retregsx,true); if (ehmethod(funcsym_p) == EHmethod.EH_DWARF) { } else cdb.gen1(0xC3); // RET break; } static if (NTEXCEPTIONS) { case BC_except: { assert(!e); usednteh |= NTEH_except; nteh_setsp(cdb,0x8B); getregsNoSave(allregs); nextb = bl.nthSucc(0); goto L5; } case BC_filter: { nteh_filter(cdb, bl); // Mark all registers as destroyed. This will prevent // register assignments to variables used in filter blocks. getregsNoSave(allregs); regm_t retregsx = regmask(e.Ety, TYnfunc); gencodelem(cdb,e,&retregsx,true); cdb.gen1(0xC3); // RET break; } } case BCretexp: reg_t reg1, reg2, lreg, mreg; reg1 = reg2 = NOREG; if (config.exe == EX_WIN64) // broken retregs = regmask(e.Ety, funcsym_p.ty()); else { retregs = allocretregs(e.Ety, e.ET, funcsym_p.ty(), &reg1, &reg2); assert(reg1 != NOREG || !retregs); } lreg = mreg = NOREG; if (reg1 == NOREG) {} else if (tybasic(e.Ety) == TYcfloat) lreg = ST01; else if (mask(reg1) & (mST0 | mST01)) lreg = reg1; else if (reg2 == NOREG) lreg = reg1; else if (mask(reg1) & XMMREGS) { lreg = XMM0; mreg = XMM1; } else { lreg = mask(reg1) & mLSW ? reg1 : AX; mreg = mask(reg2) & mMSW ? reg2 : DX; } if (reg1 != NOREG) retregs = (mask(lreg) | mask(mreg)) & ~mask(NOREG); // For the final load into the return regs, don't set regcon.used, // so that the optimizer can potentially use retregs for register // variable assignments. if (config.flags4 & CFG4optimized) { regm_t usedsave; docommas(cdb,&e); usedsave = regcon.used; if (!OTleaf(e.Eoper)) gencodelem(cdb,e,&retregs,true); else { if (e.Eoper == OPconst) regcon.mvar = 0; gencodelem(cdb,e,&retregs,true); regcon.used = usedsave; if (e.Eoper == OPvar) { Symbol *s = e.EV.Vsym; if (s.Sfl == FLreg && s.Sregm != mAX) *retsym = s; } } } else { gencodelem(cdb,e,&retregs,true); } if (reg1 == NOREG) { } else if ((mask(reg1) | mask(reg2)) & (mST0 | mST01)) { assert(reg1 == lreg && reg2 == NOREG); } // fix return registers else if (tybasic(e.Ety) == TYcfloat) { assert(lreg == ST01); if (I64) { assert(reg2 == NOREG); // spill pop87(); pop87(); cdb.genfltreg(0xD9, 3, tysize(TYfloat)); genfwait(cdb); cdb.genfltreg(0xD9, 3, 0); genfwait(cdb); // reload if (config.exe == EX_WIN64) { assert(reg1 == AX); cdb.genfltreg(LOD, reg1, 0); code_orrex(cdb.last(), REX_W); } else { assert(reg1 == XMM0); cdb.genxmmreg(xmmload(TYdouble), reg1, 0, TYdouble); } } else { assert(reg1 == AX && reg2 == DX); regm_t pretregs = mask(reg1) | mask(reg2); fixresult_complex87(cdb, e, retregs, &pretregs); } } else if (reg2 == NOREG) assert(lreg == reg1); else for (int v = 0; v < 2; v++) { if (v ^ (reg1 != mreg)) genmovreg(cdb, reg1, lreg); else genmovreg(cdb, reg2, mreg); } if (reg1 != NOREG) retregs = (mask(reg1) | mask(reg2)) & ~mask(NOREG); goto L4; case BCret: case BCexit: retregs = 0; gencodelem(cdb,e,&retregs,true); L4: if (retregs == mST0) { assert(global87.stackused == 1); pop87(); // account for return value } else if (retregs == mST01) { assert(global87.stackused == 2); pop87(); pop87(); // account for return value } if (bl.BC == BCexit) { if (config.flags4 & CFG4optimized) mfuncreg = mfuncregsave; } else if (MARS || usednteh & NTEH_try) { block *bt = bl; while ((bt = bt.Btry) != null) { block *bf = bt.nthSucc(1); version (MARS) { // Only look at try-finally blocks if (bf.BC == BCjcatch) { continue; } } if (config.ehmethod == EHmethod.EH_WIN32 && !(funcsym_p.Sfunc.Fflags3 & Feh_none) || config.ehmethod == EHmethod.EH_SEH) { if (bt.Bscope_index == 0) { // call __finally CodeBuilder cdbs; cdbs.ctor(); CodeBuilder cdbr; cdbr.ctor(); nteh_gensindex(cdb,-1); gensaverestore(retregs,cdbs,cdbr); cdb.append(cdbs); cdb.genc(0xE8,0,0,0,FLblock,cast(targ_size_t)bf.nthSucc(0)); regcon.immed.mval = 0; cdb.append(cdbr); } else { nteh_unwind(cdb,retregs,~0); } break; } else { // call __finally cdb.append(callFinallyBlock(bf.nthSucc(0), retregs)); } } } break; case BCasm: { assert(!e); // Mark destroyed registers CodeBuilder cdbx; cdbx.ctor(); getregs(cdbx,iasm_regs(bl)); // mark destroyed registers code *c = cdbx.finish(); if (bl.Bsucc) { nextb = bl.nthSucc(0); if (!bl.Bnext) { cdb.append(bl.Bcode); cdb.append(c); goto L5; } if (nextb != bl.Bnext && bl.Bnext && !(bl.Bnext.BC == BCgoto && !bl.Bnext.Belem && nextb == bl.Bnext.nthSucc(0))) { // See if already have JMP at end of block code *cl = code_last(bl.Bcode); if (!cl || cl.Iop != JMP) { cdb.append(bl.Bcode); cdb.append(c); goto L5; // add JMP at end of block } } } cdb.append(bl.Bcode); break; } default: debug printf("bl.BC = %d\n",bl.BC); assert(0); } } /*************************** * Allocate registers for function return values. * * Params: * ty = return type * t = return type extended info * tyf = function type * reg1 = output for the first part register * reg2 = output for the second part register * * Returns: * a bit mask of return registers. * 0 if function returns on the stack or returns void. */ regm_t allocretregs(tym_t ty, type *t, tym_t tyf, reg_t *reg1, reg_t *reg2) { tym_t ty1 = ty; tym_t ty2 = TYMAX; *reg1 = *reg2 = NOREG; if (tybasic(ty) == TYvoid) return 0; if (ty & mTYxmmgpr) { ty1 = TYdouble; ty2 = TYllong; } else if (ty & mTYgprxmm) { ty1 = TYllong; ty2 = TYdouble; } if (tybasic(ty) == TYstruct) { assert(t); ty1 = t.Tty; } switch (tyrelax(ty1)) { case TYcent: if (!I64 || config.exe == EX_WIN64) return 0; ty1 = ty2 = TYllong; break; case TYcdouble: if (tybasic(tyf) == TYjfunc && I32) break; if (!I64 || config.exe == EX_WIN64) return 0; ty1 = ty2 = TYdouble; break; case TYcfloat: if (tybasic(tyf) == TYjfunc && I32) break; if (!I64) goto case TYllong; if (config.exe == EX_WIN64) ty1 = TYllong; else ty1 = TYdouble; break; case TYcldouble: if (tybasic(tyf) == TYjfunc && I32) break; if (!I64 || config.exe == EX_WIN64) return 0; break; case TYllong: if (!I64) ty1 = ty2 = TYlong; break; case TYarray: type* targ1, targ2; argtypes(t, targ1, targ2); if (targ1) ty1 = targ1.Tty; else return 0; if (targ2) ty2 = targ2.Tty; break; case TYstruct: assert(t); if (I64 && config.exe != EX_WIN64) { assert(tybasic(t.Tty) == TYstruct); type *targ1 = t.Ttag.Sstruct.Sarg1type; type *targ2 = t.Ttag.Sstruct.Sarg2type; if (targ1) ty1 = targ1.Tty; else return 0; if (targ2) ty2 = targ2.Tty; break; } else if (!(t.Ttag.Sstruct.Sflags & STRnotpod)) { // windows only, return POD of 1, 2, 4, or 8 bytes on EAX(:EDX) if (!(config.exe & (EX_WIN64 | EX_WIN32))) return 0; uint sz = cast(uint) type_size(t); if (sz > 8 || sz == 0) return 0; if (sz == 8) { if (config.exe == EX_WIN64) ty1 = TYllong; else ty1 = ty2 = TYlong; } else if (sz == 4 || sz == 2 || sz == 1) ty1 = TYlong; else return 0; break; } return 0; default: break; } static struct RetRegsAllocator { nothrow: static reg_t[2] gp_regs = [AX, DX]; static reg_t[2] xmm_regs = [XMM0, XMM1]; uint cntgpr = 0, cntxmm = 0; reg_t gpr() { return gp_regs[cntgpr++]; } reg_t xmm() { return xmm_regs[cntxmm++]; } } tym_t tym = ty1; reg_t *reg = reg1; RetRegsAllocator rralloc; for (int v = 0; v < 2; ++v) { if (tym == TYMAX) continue; switch (tysize(tym)) { case 1: case 2: case 4: if (tyfloating(tym)) { if (I64) *reg = rralloc.xmm(); else *reg = ST0; } else *reg = rralloc.gpr(); break; case 8: if (tycomplex(tym)) { assert(tybasic(tyf) == TYjfunc && I32); *reg = ST01; break; } assert(I64 || tyfloating(tym)); goto case 4; default: if (tybasic(tym) == TYldouble || tybasic(tym) == TYildouble) { *reg = ST0; break; } else if (tybasic(tym) == TYcldouble) { *reg = ST01; break; } else if (tycomplex(tym) && tybasic(tyf) == TYjfunc && I32) { *reg = ST01; break; } else if (tysimd(tym)) { *reg = rralloc.xmm(); break; } debug WRTYxx(tym); assert(0); } tym = ty2; reg = reg2; } return (mask(*reg1) | mask(*reg2)) & ~mask(NOREG); } /*********************************************** * Struct necessary for sorting switch cases. */ alias _compare_fp_t = extern(C) nothrow int function(const void*, const void*); extern(C) void qsort(void* base, size_t nmemb, size_t size, _compare_fp_t compar); extern (C) // qsort cmp functions need to be "C" { struct CaseVal { targ_ullong val; block *target; /* Sort function for qsort() */ extern (C) static nothrow int cmp(scope const(void*) p, scope const(void*) q) { const(CaseVal)* c1 = cast(const(CaseVal)*)p; const(CaseVal)* c2 = cast(const(CaseVal)*)q; return (c1.val < c2.val) ? -1 : ((c1.val == c2.val) ? 0 : 1); } } } /*** * Generate comparison of [reg2,reg] with val */ private void cmpval(ref CodeBuilder cdb, targ_llong val, uint sz, reg_t reg, reg_t reg2, reg_t sreg) { if (I64 && sz == 8) { assert(reg2 == NOREG); if (val == cast(int)val) // if val is a 64 bit value sign-extended from 32 bits { cdb.genc2(0x81,modregrmx(3,7,reg),cast(targ_size_t)val); // CMP reg,value32 cdb.last().Irex |= REX_W; // 64 bit operand } else { assert(sreg != NOREG); movregconst(cdb,sreg,cast(targ_size_t)val,64); // MOV sreg,val64 genregs(cdb,0x3B,reg,sreg); // CMP reg,sreg code_orrex(cdb.last(), REX_W); getregsNoSave(mask(sreg)); // don't remember we loaded this constant } } else if (reg2 == NOREG) cdb.genc2(0x81,modregrmx(3,7,reg),cast(targ_size_t)val); // CMP reg,casevalue else { cdb.genc2(0x81,modregrm(3,7,reg2),cast(targ_size_t)MSREG(val)); // CMP reg2,MSREG(casevalue) code *cnext = gennop(null); genjmp(cdb,JNE,FLcode,cast(block *) cnext); // JNE cnext cdb.genc2(0x81,modregrm(3,7,reg),cast(targ_size_t)val); // CMP reg,casevalue cdb.append(cnext); } } private void ifthen(ref CodeBuilder cdb, CaseVal *casevals, size_t ncases, uint sz, reg_t reg, reg_t reg2, reg_t sreg, block *bdefault, bool last) { if (ncases >= 4 && config.flags4 & CFG4speed) { size_t pivot = ncases >> 1; // Compares for casevals[0..pivot] CodeBuilder cdb1; cdb1.ctor(); ifthen(cdb1, casevals, pivot, sz, reg, reg2, sreg, bdefault, true); // Compares for casevals[pivot+1..ncases] CodeBuilder cdb2; cdb2.ctor(); ifthen(cdb2, casevals + pivot + 1, ncases - pivot - 1, sz, reg, reg2, sreg, bdefault, last); code *c2 = gennop(null); // Compare for caseval[pivot] cmpval(cdb, casevals[pivot].val, sz, reg, reg2, sreg); genjmp(cdb,JE,FLblock,casevals[pivot].target); // JE target // Note uint jump here, as cases were sorted using uint comparisons genjmp(cdb,JA,FLcode,cast(block *) c2); // JG c2 cdb.append(cdb1); cdb.append(c2); cdb.append(cdb2); } else { // Not worth doing a binary search, just do a sequence of CMP/JE for (size_t n = 0; n < ncases; n++) { targ_llong val = casevals[n].val; cmpval(cdb, val, sz, reg, reg2, sreg); code *cnext = null; if (reg2 != NOREG) { cnext = gennop(null); genjmp(cdb,JNE,FLcode,cast(block *) cnext); // JNE cnext cdb.genc2(0x81,modregrm(3,7,reg2),cast(targ_size_t)MSREG(val)); // CMP reg2,MSREG(casevalue) } genjmp(cdb,JE,FLblock,casevals[n].target); // JE caseaddr cdb.append(cnext); } if (last) // if default is not next block genjmp(cdb,JMP,FLblock,bdefault); } } /******************************* * Generate code for blocks ending in a switch statement. * Take BCswitch and decide on * BCifthen use if - then code * BCjmptab index into jump table * BCswitch search table for match */ void doswitch(ref CodeBuilder cdb, block *b) { targ_ulong msw; // If switch tables are in code segment and we need a CS: override to get at them bool csseg = cast(bool)(config.flags & CFGromable); //printf("doswitch(%d)\n", b.BC); elem *e = b.Belem; elem_debug(e); docommas(cdb,&e); cgstate.stackclean++; tym_t tys = tybasic(e.Ety); int sz = _tysize[tys]; bool dword = (sz == 2 * REGSIZE); bool mswsame = true; // assume all msw's are the same targ_llong *p = b.Bswitch; // pointer to case data assert(p); uint ncases = cast(uint)*p++; // number of cases targ_llong vmax = MINLL; // smallest possible llong targ_llong vmin = MAXLL; // largest possible llong for (uint n = 0; n < ncases; n++) // find max and min case values { targ_llong val = *p++; if (val > vmax) vmax = val; if (val < vmin) vmin = val; if (REGSIZE == 2) { ushort ms = (val >> 16) & 0xFFFF; if (n == 0) msw = ms; else if (msw != ms) mswsame = 0; } else // REGSIZE == 4 { targ_ulong ms = (val >> 32) & 0xFFFFFFFF; if (n == 0) msw = ms; else if (msw != ms) mswsame = 0; } } p -= ncases; //dbg_printf("vmax = x%lx, vmin = x%lx, vmax-vmin = x%lx\n",vmax,vmin,vmax - vmin); /* Three kinds of switch strategies - pick one */ if (ncases <= 3) goto Lifthen; else if (I16 && cast(targ_ullong)(vmax - vmin) <= ncases * 2) goto Ljmptab; // >=50% of the table is case values, rest is default else if (cast(targ_ullong)(vmax - vmin) <= ncases * 3) goto Ljmptab; // >= 33% of the table is case values, rest is default else if (I16) goto Lswitch; else goto Lifthen; /*************************************************************************/ { // generate if-then sequence Lifthen: regm_t retregs = ALLREGS; b.BC = BCifthen; scodelem(cdb,e,&retregs,0,true); reg_t reg, reg2; if (dword) { reg = findreglsw(retregs); reg2 = findregmsw(retregs); } else { reg = findreg(retregs); // reg that result is in reg2 = NOREG; } list_t bl = b.Bsucc; block *bdefault = b.nthSucc(0); if (dword && mswsame) { cdb.genc2(0x81,modregrm(3,7,reg2),msw); // CMP reg2,MSW genjmp(cdb,JNE,FLblock,bdefault); // JNE default reg2 = NOREG; } reg_t sreg = NOREG; // may need a scratch register // Put into casevals[0..ncases] so we can sort then slice CaseVal *casevals = cast(CaseVal *)malloc(ncases * CaseVal.sizeof); assert(casevals); for (uint n = 0; n < ncases; n++) { casevals[n].val = p[n]; bl = list_next(bl); casevals[n].target = list_block(bl); // See if we need a scratch register if (sreg == NOREG && I64 && sz == 8 && p[n] != cast(int)p[n]) { regm_t regm = ALLREGS & ~mask(reg); allocreg(cdb,&regm, &sreg, TYint); } } // Sort cases so we can do a runtime binary search qsort(casevals, ncases, CaseVal.sizeof, &CaseVal.cmp); //for (uint n = 0; n < ncases; n++) //printf("casevals[%lld] = x%x\n", n, casevals[n].val); // Generate binary tree of comparisons ifthen(cdb, casevals, ncases, sz, reg, reg2, sreg, bdefault, bdefault != b.Bnext); free(casevals); cgstate.stackclean--; return; } /*************************************************************************/ { // Use switch value to index into jump table Ljmptab: //printf("Ljmptab:\n"); b.BC = BCjmptab; /* If vmin is small enough, we can just set it to 0 and the jump * table entries from 0..vmin-1 can be set with the default target. * This saves the SUB instruction. * Must be same computation as used in outjmptab(). */ if (vmin > 0 && vmin <= _tysize[TYint]) vmin = 0; b.Btablesize = cast(int) (vmax - vmin + 1) * tysize(TYnptr); regm_t retregs = IDXREGS; if (dword) retregs |= mMSW; static if (TARGET_LINUX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { if (I32 && config.flags3 & CFG3pic) retregs &= ~mBX; // need EBX for GOT } bool modify = (I16 || I64 || vmin); scodelem(cdb,e,&retregs,0,!modify); reg_t reg = findreg(retregs & IDXREGS); // reg that result is in reg_t reg2; if (dword) reg2 = findregmsw(retregs); if (modify) { assert(!(retregs & regcon.mvar)); getregs(cdb,retregs); } if (vmin) // if there is a minimum { cdb.genc2(0x81,modregrm(3,5,reg),cast(targ_size_t)vmin); // SUB reg,vmin if (dword) { cdb.genc2(0x81,modregrm(3,3,reg2),cast(targ_size_t)MSREG(vmin)); // SBB reg2,vmin genjmp(cdb,JNE,FLblock,b.nthSucc(0)); // JNE default } } else if (dword) { gentstreg(cdb,reg2); // TEST reg2,reg2 genjmp(cdb,JNE,FLblock,b.nthSucc(0)); // JNE default } if (vmax - vmin != REGMASK) // if there is a maximum { // CMP reg,vmax-vmin cdb.genc2(0x81,modregrm(3,7,reg),cast(targ_size_t)(vmax-vmin)); if (I64 && sz == 8) code_orrex(cdb.last(), REX_W); genjmp(cdb,JA,FLblock,b.nthSucc(0)); // JA default } if (I64) { if (!vmin) { // Need to clear out high 32 bits of reg // Use 8B instead of 89, as 89 will be optimized away as a NOP genregs(cdb,0x8B,reg,reg); // MOV reg,reg } if (config.flags3 & CFG3pic || config.exe == EX_WIN64) { /* LEA R1,disp[RIP] 48 8D 05 00 00 00 00 * MOVSXD R2,[reg*4][R1] 48 63 14 B8 * LEA R1,[R1][R2] 48 8D 04 02 * JMP R1 FF E0 */ reg_t r1; regm_t scratchm = ALLREGS & ~mask(reg); allocreg(cdb,&scratchm,&r1,TYint); reg_t r2; scratchm = ALLREGS & ~(mask(reg) | mask(r1)); allocreg(cdb,&scratchm,&r2,TYint); CodeBuilder cdbe; cdbe.ctor(); cdbe.genc1(LEA,(REX_W << 16) | modregxrm(0,r1,5),FLswitch,0); // LEA R1,disp[RIP] cdbe.last().IEV1.Vswitch = b; cdbe.gen2sib(0x63,(REX_W << 16) | modregxrm(0,r2,4), modregxrmx(2,reg,r1)); // MOVSXD R2,[reg*4][R1] cdbe.gen2sib(LEA,(REX_W << 16) | modregxrm(0,r1,4),modregxrmx(0,r1,r2)); // LEA R1,[R1][R2] cdbe.gen2(0xFF,modregrmx(3,4,r1)); // JMP R1 b.Btablesize = cast(int) (vmax - vmin + 1) * 4; code *ce = cdbe.finish(); pinholeopt(ce, null); cdb.append(cdbe); } else { cdb.genc1(0xFF,modregrm(0,4,4),FLswitch,0); // JMP disp[reg*8] cdb.last().IEV1.Vswitch = b; cdb.last().Isib = modregrm(3,reg & 7,5); if (reg & 8) cdb.last().Irex |= REX_X; } } else if (I32) { static if (JMPJMPTABLE) { /* LEA jreg,offset ctable[reg][reg * 4] JMP jreg ctable: JMP case0 JMP case1 ... */ CodeBuilder ctable; ctable.ctor(); block *bdef = b.nthSucc(0); targ_llong u; for (u = vmin; ; u++) { block *targ = bdef; for (n = 0; n < ncases; n++) { if (p[n] == u) { targ = b.nthSucc(n + 1); break; } } genjmp(ctable,JMP,FLblock,targ); ctable.last().Iflags |= CFjmp5; // don't shrink these if (u == vmax) break; } // Allocate scratch register jreg regm_t scratchm = ALLREGS & ~mask(reg); uint jreg = AX; allocreg(cdb,&scratchm,&jreg,TYint); // LEA jreg, offset ctable[reg][reg*4] cdb.genc1(LEA,modregrm(2,jreg,4),FLcode,6); cdb.last().Isib = modregrm(2,reg,reg); cdb.gen2(0xFF,modregrm(3,4,jreg)); // JMP jreg cdb.append(ctable); b.Btablesize = 0; cgstate.stackclean--; return; } else static if (TARGET_OSX) { /* CALL L1 * L1: POP R1 * ADD R1,disp[reg*4][R1] * JMP R1 */ // Allocate scratch register r1 regm_t scratchm = ALLREGS & ~mask(reg); reg_t r1; allocreg(cdb,&scratchm,&r1,TYint); cdb.genc2(CALL,0,0); // CALL L1 cdb.gen1(0x58 + r1); // L1: POP R1 cdb.genc1(0x03,modregrm(2,r1,4),FLswitch,0); // ADD R1,disp[reg*4][EBX] cdb.last().IEV1.Vswitch = b; cdb.last().Isib = modregrm(2,reg,r1); cdb.gen2(0xFF,modregrm(3,4,r1)); // JMP R1 } else { if (config.flags3 & CFG3pic) { /* MOV R1,EBX * SUB R1,funcsym_p@GOTOFF[offset][reg*4][EBX] * JMP R1 */ // Load GOT in EBX load_localgot(cdb); // Allocate scratch register r1 regm_t scratchm = ALLREGS & ~(mask(reg) | mBX); reg_t r1; allocreg(cdb,&scratchm,&r1,TYint); genmovreg(cdb,r1,BX); // MOV R1,EBX cdb.genc1(0x2B,modregxrm(2,r1,4),FLswitch,0); // SUB R1,disp[reg*4][EBX] cdb.last().IEV1.Vswitch = b; cdb.last().Isib = modregrm(2,reg,BX); cdb.gen2(0xFF,modregrmx(3,4,r1)); // JMP R1 } else { cdb.genc1(0xFF,modregrm(0,4,4),FLswitch,0); // JMP disp[idxreg*4] cdb.last().IEV1.Vswitch = b; cdb.last().Isib = modregrm(2,reg,5); } } } else if (I16) { cdb.gen2(0xD1,modregrm(3,4,reg)); // SHL reg,1 uint rm = getaddrmode(retregs) | modregrm(0,4,0); cdb.genc1(0xFF,rm,FLswitch,0); // JMP [CS:]disp[idxreg] cdb.last().IEV1.Vswitch = b; cdb.last().Iflags |= csseg ? CFcs : 0; // segment override } else assert(0); cgstate.stackclean--; return; } /*************************************************************************/ { /* Scan a table of case values, and jump to corresponding address. * Since it relies on REPNE SCASW, it has really nothing to recommend it * over Lifthen for 32 and 64 bit code. * Note that it has not been tested with MACHOBJ (OSX). */ Lswitch: regm_t retregs = mAX; // SCASW requires AX if (dword) retregs |= mDX; else if (ncases <= 6 || config.flags4 & CFG4speed) goto Lifthen; scodelem(cdb,e,&retregs,0,true); if (dword && mswsame) { /* CMP DX,MSW */ cdb.genc2(0x81,modregrm(3,7,DX),msw); genjmp(cdb,JNE,FLblock,b.nthSucc(0)); // JNE default } getregs(cdb,mCX|mDI); static if (TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { if (config.flags3 & CFG3pic) { // Add in GOT getregs(cdb,mDX); cdb.genc2(CALL,0,0); // CALL L1 cdb.gen1(0x58 + DI); // L1: POP EDI // ADD EDI,_GLOBAL_OFFSET_TABLE_+3 Symbol *gotsym = Obj.getGOTsym(); cdb.gencs(0x81,modregrm(3,0,DI),FLextern,gotsym); cdb.last().Iflags = CFoff; cdb.last().IEV2.Voffset = 3; makeitextern(gotsym); genmovreg(cdb, DX, DI); // MOV EDX, EDI // ADD EDI,offset of switch table cdb.gencs(0x81,modregrm(3,0,DI),FLswitch,null); cdb.last().IEV2.Vswitch = b; } } if (!(config.flags3 & CFG3pic)) { // MOV DI,offset of switch table cdb.gencs(0xC7,modregrm(3,0,DI),FLswitch,null); cdb.last().IEV2.Vswitch = b; } movregconst(cdb,CX,ncases,0); // MOV CX,ncases /* The switch table will be accessed through ES:DI. * Therefore, load ES with proper segment value. */ if (config.flags3 & CFG3eseqds) { assert(!csseg); getregs(cdb,mCX); // allocate CX } else { getregs(cdb,mES|mCX); // allocate ES and CX cdb.gen1(csseg ? 0x0E : 0x1E); // PUSH CS/DS cdb.gen1(0x07); // POP ES } targ_size_t disp = (ncases - 1) * _tysize[TYint]; // displacement to jump table if (dword && !mswsame) { /* Build the following: L1: SCASW JNE L2 CMP DX,[CS:]disp[DI] L2: LOOPNE L1 */ const int mod = (disp > 127) ? 2 : 1; // displacement size code *cloop = genc2(null,0xE0,0,-7 - mod - csseg); // LOOPNE scasw cdb.gen1(0xAF); // SCASW code_orflag(cdb.last(),CFtarg2); // target of jump genjmp(cdb,JNE,FLcode,cast(block *) cloop); // JNE loop // CMP DX,[CS:]disp[DI] cdb.genc1(0x39,modregrm(mod,DX,5),FLconst,disp); cdb.last().Iflags |= csseg ? CFcs : 0; // possible seg override cdb.append(cloop); disp += ncases * _tysize[TYint]; // skip over msw table } else { cdb.gen1(0xF2); // REPNE cdb.gen1(0xAF); // SCASW } genjmp(cdb,JNE,FLblock,b.nthSucc(0)); // JNE default const int mod = (disp > 127) ? 2 : 1; // 1 or 2 byte displacement if (csseg) cdb.gen1(SEGCS); // table is in code segment static if (TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { if (config.flags3 & CFG3pic) { // ADD EDX,(ncases-1)*2[EDI] cdb.genc1(0x03,modregrm(mod,DX,7),FLconst,disp); // JMP EDX cdb.gen2(0xFF,modregrm(3,4,DX)); } } if (!(config.flags3 & CFG3pic)) { // JMP (ncases-1)*2[DI] cdb.genc1(0xFF,modregrm(mod,4,(I32 ? 7 : 5)),FLconst,disp); cdb.last().Iflags |= csseg ? CFcs : 0; } b.Btablesize = disp + _tysize[TYint] + ncases * tysize(TYnptr); //assert(b.Bcode); cgstate.stackclean--; return; } } /****************************** * Output data block for a jump table (BCjmptab). * The 'holes' in the table get filled with the * default label. */ void outjmptab(block *b) { if (JMPJMPTABLE && I32) return; targ_llong *p = b.Bswitch; // pointer to case data size_t ncases = cast(size_t)*p++; // number of cases /* Find vmin and vmax, the range of the table will be [vmin .. vmax + 1] * Must be same computation as used in doswitch(). */ targ_llong vmax = MINLL; // smallest possible llong targ_llong vmin = MAXLL; // largest possible llong for (size_t n = 0; n < ncases; n++) // find min case value { targ_llong val = p[n]; if (val > vmax) vmax = val; if (val < vmin) vmin = val; } if (vmin > 0 && vmin <= _tysize[TYint]) vmin = 0; assert(vmin <= vmax); /* Segment and offset into which the jump table will be emitted */ int jmpseg = objmod.jmpTableSegment(funcsym_p); targ_size_t *poffset = &Offset(jmpseg); /* Align start of jump table */ targ_size_t alignbytes = _align(0,*poffset) - *poffset; objmod.lidata(jmpseg,*poffset,alignbytes); assert(*poffset == b.Btableoffset); // should match precomputed value Symbol *gotsym = null; targ_size_t def = b.nthSucc(0).Boffset; // default address for (targ_llong u = vmin; ; u++) { targ_size_t targ = def; // default for (size_t n = 0; n < ncases; n++) { if (p[n] == u) { targ = b.nthSucc(cast(int)(n + 1)).Boffset; break; } } static if (TARGET_LINUX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { if (I64) { if (config.flags3 & CFG3pic) { objmod.reftodatseg(jmpseg,*poffset,targ + (u - vmin) * 4,funcsym_p.Sseg,CFswitch); *poffset += 4; } else { objmod.reftodatseg(jmpseg,*poffset,targ,funcsym_p.Sxtrnnum,CFoffset64 | CFswitch); *poffset += 8; } } else { if (config.flags3 & CFG3pic) { assert(config.flags & CFGromable); // Want a GOTPC fixup to _GLOBAL_OFFSET_TABLE_ if (!gotsym) gotsym = Obj.getGOTsym(); objmod.reftoident(jmpseg,*poffset,gotsym,*poffset - targ,CFswitch); } else objmod.reftocodeseg(jmpseg,*poffset,targ); *poffset += 4; } } else static if (TARGET_OSX) { targ_size_t val; if (I64) val = targ - b.Btableoffset; else val = targ - b.Btablebase; objmod.write_bytes(SegData[jmpseg],4,&val); } else static if (TARGET_WINDOS) { if (I64) { targ_size_t val = targ - b.Btableoffset; objmod.write_bytes(SegData[jmpseg],4,&val); } else { objmod.reftocodeseg(jmpseg,*poffset,targ); *poffset += tysize(TYnptr); } } else assert(0); if (u == vmax) // for case that (vmax == ~0) break; } } /****************************** * Output data block for a switch table. * Two consecutive tables, the first is the case value table, the * second is the address table. */ void outswitab(block *b) { //printf("outswitab()\n"); targ_llong *p = b.Bswitch; // pointer to case data uint ncases = cast(uint)*p++; // number of cases const int seg = objmod.jmpTableSegment(funcsym_p); targ_size_t *poffset = &Offset(seg); targ_size_t offset = *poffset; targ_size_t alignbytes = _align(0,*poffset) - *poffset; objmod.lidata(seg,*poffset,alignbytes); // any alignment bytes necessary assert(*poffset == offset + alignbytes); uint sz = _tysize[TYint]; assert(SegData[seg].SDseg == seg); for (uint n = 0; n < ncases; n++) // send out value table { //printf("\tcase %d, offset = x%x\n", n, *poffset); objmod.write_bytes(SegData[seg],sz,p); p++; } offset += alignbytes + sz * ncases; assert(*poffset == offset); if (b.Btablesize == ncases * (REGSIZE * 2 + tysize(TYnptr))) { // Send out MSW table p -= ncases; for (uint n = 0; n < ncases; n++) { targ_size_t val = cast(targ_size_t)MSREG(*p); p++; objmod.write_bytes(SegData[seg],REGSIZE,&val); } offset += REGSIZE * ncases; assert(*poffset == offset); } list_t bl = b.Bsucc; for (uint n = 0; n < ncases; n++) // send out address table { bl = list_next(bl); objmod.reftocodeseg(seg,*poffset,list_block(bl).Boffset); *poffset += tysize(TYnptr); } assert(*poffset == offset + ncases * tysize(TYnptr)); } /***************************** * Return a jump opcode relevant to the elem for a JMP true. */ int jmpopcode(elem *e) { tym_t tym; int zero,i,jp,op; static immutable ubyte[6][2][2] jops = [ /* <= > < >= == != <=0 >0 <0 >=0 ==0 !=0 */ [ [JLE,JG ,JL ,JGE,JE ,JNE],[JLE,JG ,JS ,JNS,JE ,JNE] ], /* signed */ [ [JBE,JA ,JB ,JAE,JE ,JNE],[JE ,JNE,JB ,JAE,JE ,JNE] ], /* uint */ /+ [ [JLE,JG ,JL ,JGE,JE ,JNE],[JLE,JG ,JL ,JGE,JE ,JNE] ], /* real */ [ [JBE,JA ,JB ,JAE,JE ,JNE],[JBE,JA ,JB ,JAE,JE ,JNE] ], /* 8087 */ [ [JA ,JBE,JAE,JB ,JE ,JNE],[JBE,JA ,JB ,JAE,JE ,JNE] ], /* 8087 R */ +/ ]; enum { XP = (JP << 8), XNP = (JNP << 8), } static immutable uint[26][1] jfops = /* le gt lt ge eqeq ne unord lg leg ule ul uge */ [ [ XNP|JBE,JA,XNP|JB,JAE,XNP|JE, XP|JNE,JP, JNE,JNP, JBE,JC,XP|JAE, /* ug ue ngt nge nlt nle ord nlg nleg nule nul nuge nug nue */ XP|JA,JE,JBE,JB, XP|JAE,XP|JA, JNP,JE, JP, JA, JNC,XNP|JB, XNP|JBE,JNE ], /* 8087 */ ]; assert(e); while (e.Eoper == OPcomma || /* The OTleaf(e.EV.E1.Eoper) is to line up with the case in cdeq() where */ /* we decide if mPSW is passed on when evaluating E2 or not. */ (e.Eoper == OPeq && OTleaf(e.EV.E1.Eoper))) { e = e.EV.E2; /* right operand determines it */ } op = e.Eoper; tym_t tymx = tybasic(e.Ety); bool needsNanCheck = tyfloating(tymx) && config.inline8087 && (tymx == TYldouble || tymx == TYildouble || tymx == TYcldouble || tymx == TYcdouble || tymx == TYcfloat || (tyxmmreg(tymx) && config.fpxmmregs && e.Ecount != e.Ecomsub) || op == OPind || (OTcall(op) && (regmask(tymx, tybasic(e.EV.E1.Eoper)) & (mST0 | XMMREGS)))); if (e.Ecount != e.Ecomsub) // comsubs just get Z bit set { if (needsNanCheck) // except for floating point values that need a NaN check return XP|JNE; else return JNE; } if (!OTrel(op)) // not relational operator { if (needsNanCheck) return XP|JNE; if (op == OPu32_64) { e = e.EV.E1; op = e.Eoper; } if (op == OPu16_32) { e = e.EV.E1; op = e.Eoper; } if (op == OPu8_16) op = e.EV.E1.Eoper; return ((op >= OPbt && op <= OPbts) || op == OPbtst) ? JC : JNE; } if (e.EV.E2.Eoper == OPconst) zero = !boolres(e.EV.E2); else zero = 0; tym = e.EV.E1.Ety; if (tyfloating(tym)) { static if (1) { i = 0; if (config.inline8087) { i = 1; static if (1) { if (rel_exception(op) || config.flags4 & CFG4fastfloat) { const bool NOSAHF = (I64 || config.fpxmmregs); if (zero) { if (NOSAHF) op = swaprel(op); } else if (NOSAHF) op = swaprel(op); else if (cmporder87(e.EV.E2)) op = swaprel(op); else { } } else { if (zero && config.target_cpu < TARGET_80386) { } else op = swaprel(op); } } else { if (zero && !rel_exception(op) && config.target_cpu >= TARGET_80386) op = swaprel(op); else if (!zero && (cmporder87(e.EV.E2) || !(rel_exception(op) || config.flags4 & CFG4fastfloat))) /* compare is reversed */ op = swaprel(op); } } jp = jfops[0][op - OPle]; goto L1; } else { i = (config.inline8087) ? (3 + cmporder87(e.EV.E2)) : 2; } } else if (tyuns(tym) || tyuns(e.EV.E2.Ety)) i = 1; else if (tyintegral(tym) || typtr(tym)) i = 0; else { debug elem_print(e); WRTYxx(tym); assert(0); } jp = jops[i][zero][op - OPle]; /* table starts with OPle */ /* Try to rewrite uint comparisons so they rely on just the Carry flag */ if (i == 1 && (jp == JA || jp == JBE) && (e.EV.E2.Eoper != OPconst && e.EV.E2.Eoper != OPrelconst)) { jp = (jp == JA) ? JC : JNC; } L1: debug if ((jp & 0xF0) != 0x70) { WROP(op); printf("i %d zero %d op x%x jp x%x\n",i,zero,op,jp); } assert((jp & 0xF0) == 0x70); return jp; } /********************************** * Append code to cdb which validates pointer described by * addressing mode in *pcs. Modify addressing mode in *pcs. * Params: * cdb = append generated code to this * pcs = original addressing mode to be updated * keepmsk = mask of registers we must not destroy or use * if (keepmsk & RMstore), this will be only a store operation * into the lvalue */ void cod3_ptrchk(ref CodeBuilder cdb,code *pcs,regm_t keepmsk) { ubyte sib; reg_t reg; uint flagsave; assert(!I64); if (!I16 && pcs.Iflags & (CFes | CFss | CFcs | CFds | CFfs | CFgs)) return; // not designed to deal with 48 bit far pointers ubyte rm = pcs.Irm; assert(!(rm & 0x40)); // no disp8 or reg addressing modes // If the addressing mode is already a register reg = rm & 7; if (I16) { static immutable ubyte[8] imode = [ BP,BP,BP,BP,SI,DI,BP,BX ]; reg = imode[reg]; // convert [SI] to SI, etc. } regm_t idxregs = mask(reg); if ((rm & 0x80 && (pcs.IFL1 != FLoffset || pcs.IEV1.Vuns)) || !(idxregs & ALLREGS) ) { // Load the offset into a register, so we can push the address regm_t idxregs2 = (I16 ? IDXREGS : ALLREGS) & ~keepmsk; // only these can be index regs assert(idxregs2); allocreg(cdb,&idxregs2,&reg,TYoffset); const opsave = pcs.Iop; flagsave = pcs.Iflags; pcs.Iop = LEA; pcs.Irm |= modregrm(0,reg,0); pcs.Iflags &= ~(CFopsize | CFss | CFes | CFcs); // no prefix bytes needed cdb.gen(pcs); // LEA reg,EA pcs.Iflags = flagsave; pcs.Iop = opsave; } // registers destroyed by the function call //used = (mBP | ALLREGS | mES) & ~fregsaved; regm_t used = 0; // much less code generated this way code *cs2 = null; regm_t tosave = used & (keepmsk | idxregs); for (int i = 0; tosave; i++) { regm_t mi = mask(i); assert(i < REGMAX); if (mi & tosave) /* i = register to save */ { int push,pop; stackchanged = 1; if (i == ES) { push = 0x06; pop = 0x07; } else { push = 0x50 + i; pop = push | 8; } cdb.gen1(push); // PUSH i cs2 = cat(gen1(null,pop),cs2); // POP i tosave &= ~mi; } } // For 16 bit models, push a far pointer if (I16) { int segreg; switch (pcs.Iflags & (CFes | CFss | CFcs | CFds | CFfs | CFgs)) { case CFes: segreg = 0x06; break; case CFss: segreg = 0x16; break; case CFcs: segreg = 0x0E; break; case 0: segreg = 0x1E; break; // DS default: assert(0); } // See if we should default to SS: // (Happens when BP is part of the addressing mode) if (segreg == 0x1E && (rm & 0xC0) != 0xC0 && rm & 2 && (rm & 7) != 7) { segreg = 0x16; if (config.wflags & WFssneds) pcs.Iflags |= CFss; // because BP won't be there anymore } cdb.gen1(segreg); // PUSH segreg } cdb.gen1(0x50 + reg); // PUSH reg // Rewrite the addressing mode in *pcs so it is just 0[reg] setaddrmode(pcs, idxregs); pcs.IFL1 = FLoffset; pcs.IEV1.Vuns = 0; // Call the validation function { makeitextern(getRtlsym(RTLSYM_PTRCHK)); used &= ~(keepmsk | idxregs); // regs destroyed by this exercise getregs(cdb,used); // CALL __ptrchk cdb.gencs((LARGECODE) ? 0x9A : CALL,0,FLfunc,getRtlsym(RTLSYM_PTRCHK)); } cdb.append(cs2); } /*********************************** * Determine if BP can be used as a general purpose register. * Note parallels between this routine and prolog(). * Returns: * 0 can't be used, needed for frame * mBP can be used */ regm_t cod3_useBP() { tym_t tym; tym_t tyf; // Note that DOSX memory model cannot use EBP as a general purpose // register, as SS != DS. if (!(config.exe & EX_flat) || config.flags & (CFGalwaysframe | CFGnoebp)) goto Lcant; if (anyiasm) goto Lcant; tyf = funcsym_p.ty(); if (tyf & mTYnaked) // if no prolog/epilog for function goto Lcant; if (funcsym_p.Sfunc.Fflags3 & Ffakeeh) { goto Lcant; // need consistent stack frame } tym = tybasic(tyf); if (tym == TYifunc) goto Lcant; stackoffsets(0); localsize = Auto.offset + Fast.offset; // an estimate only // if (localsize) { if (!(config.flags4 & CFG4speed) || config.target_cpu < TARGET_Pentium || tyfarfunc(tym) || config.flags & CFGstack || localsize >= 0x100 || // arbitrary value < 0x1000 (usednteh & (NTEH_try | NTEH_except | NTEHcpp | EHcleanup | EHtry | NTEHpassthru)) || calledFinally || Alloca.size ) goto Lcant; } return mBP; Lcant: return 0; } /************************************************* * Generate code segment to be used later to restore a cse */ bool cse_simple(code *c, elem *e) { regm_t regm; reg_t reg; int sz = tysize(e.Ety); if (!I16 && // don't bother with 16 bit code e.Eoper == OPadd && sz == REGSIZE && e.EV.E2.Eoper == OPconst && e.EV.E1.Eoper == OPvar && isregvar(e.EV.E1,&regm,&reg) && !(e.EV.E1.EV.Vsym.Sflags & SFLspill) ) { memset(c,0,(*c).sizeof); // Make this an LEA instruction c.Iop = LEA; buildEA(c,reg,-1,1,e.EV.E2.EV.Vuns); if (I64) { if (sz == 8) c.Irex |= REX_W; } return true; } else if (e.Eoper == OPind && sz <= REGSIZE && e.EV.E1.Eoper == OPvar && isregvar(e.EV.E1,&regm,&reg) && (I32 || I64 || regm & IDXREGS) && !(e.EV.E1.EV.Vsym.Sflags & SFLspill) ) { memset(c,0,(*c).sizeof); // Make this a MOV instruction c.Iop = (sz == 1) ? 0x8A : 0x8B; // MOV reg,EA buildEA(c,reg,-1,1,0); if (sz == 2 && I32) c.Iflags |= CFopsize; else if (I64) { if (sz == 8) c.Irex |= REX_W; } return true; } return false; } /************************** * Store `reg` to the common subexpression save area in index `slot`. * Params: * cdb = where to write code to * tym = type of value that's in `reg` * reg = register to save * slot = index into common subexpression save area */ void gen_storecse(ref CodeBuilder cdb, tym_t tym, reg_t reg, size_t slot) { // MOV slot[BP],reg if (isXMMreg(reg) && config.fpxmmregs) // watch out for ES { const aligned = tyvector(tym) ? STACKALIGN >= 16 : true; const op = xmmstore(tym, aligned); cdb.genc1(op,modregxrm(2, reg - XMM0, BPRM),FLcs,cast(targ_size_t)slot); return; } opcode_t op = STO; // normal mov if (reg == ES) { reg = 0; // the real reg number op = 0x8C; // segment reg mov } cdb.genc1(op,modregxrm(2, reg, BPRM),FLcs,cast(targ_uns)slot); if (I64) code_orrex(cdb.last(), REX_W); } void gen_testcse(ref CodeBuilder cdb, tym_t tym, uint sz, size_t slot) { // CMP slot[BP],0 cdb.genc(sz == 1 ? 0x80 : 0x81,modregrm(2,7,BPRM), FLcs,cast(targ_uns)slot, FLconst,cast(targ_uns) 0); if ((I64 || I32) && sz == 2) cdb.last().Iflags |= CFopsize; if (I64 && sz == 8) code_orrex(cdb.last(), REX_W); } void gen_loadcse(ref CodeBuilder cdb, tym_t tym, reg_t reg, size_t slot) { // MOV reg,slot[BP] if (isXMMreg(reg) && config.fpxmmregs) { const aligned = tyvector(tym) ? STACKALIGN >= 16 : true; const op = xmmload(tym, aligned); cdb.genc1(op,modregxrm(2, reg - XMM0, BPRM),FLcs,cast(targ_size_t)slot); return; } opcode_t op = LOD; if (reg == ES) { op = 0x8E; reg = 0; } cdb.genc1(op,modregxrm(2,reg,BPRM),FLcs,cast(targ_uns)slot); if (I64) code_orrex(cdb.last(), REX_W); } /*************************************** * Gen code for OPframeptr */ void cdframeptr(ref CodeBuilder cdb, elem *e, regm_t *pretregs) { regm_t retregs = *pretregs & allregs; if (!retregs) retregs = allregs; reg_t reg; allocreg(cdb,&retregs, &reg, TYint); code cs; cs.Iop = ESCAPE | ESCframeptr; cs.Iflags = 0; cs.Irex = 0; cs.Irm = cast(ubyte)reg; cdb.gen(&cs); fixresult(cdb,e,retregs,pretregs); } /*************************************** * Gen code for load of _GLOBAL_OFFSET_TABLE_. * This value gets cached in the local variable 'localgot'. */ void cdgot(ref CodeBuilder cdb, elem *e, regm_t *pretregs) { static if (TARGET_OSX) { regm_t retregs = *pretregs & allregs; if (!retregs) retregs = allregs; reg_t reg; allocreg(cdb,&retregs, &reg, TYnptr); cdb.genc(CALL,0,0,0,FLgot,0); // CALL L1 cdb.gen1(0x58 + reg); // L1: POP reg fixresult(cdb,e,retregs,pretregs); } else static if (TARGET_LINUX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { regm_t retregs = *pretregs & allregs; if (!retregs) retregs = allregs; reg_t reg; allocreg(cdb,&retregs, &reg, TYnptr); cdb.genc2(CALL,0,0); // CALL L1 cdb.gen1(0x58 + reg); // L1: POP reg // ADD reg,_GLOBAL_OFFSET_TABLE_+3 Symbol *gotsym = Obj.getGOTsym(); cdb.gencs(0x81,modregrm(3,0,reg),FLextern,gotsym); /* Because the 2:3 offset from L1: is hardcoded, * this sequence of instructions must not * have any instructions in between, * so set CFvolatile to prevent the scheduler from rearranging it. */ code *cgot = cdb.last(); cgot.Iflags = CFoff | CFvolatile; cgot.IEV2.Voffset = (reg == AX) ? 2 : 3; makeitextern(gotsym); fixresult(cdb,e,retregs,pretregs); } else assert(0); } /************************************************** * Load contents of localgot into EBX. */ void load_localgot(ref CodeBuilder cdb) { static if (TARGET_LINUX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { if (config.flags3 & CFG3pic && I32) { if (localgot && !(localgot.Sflags & SFLdead)) { localgot.Sflags &= ~GTregcand; // because this hack doesn't work with reg allocator elem *e = el_var(localgot); regm_t retregs = mBX; codelem(cdb,e,&retregs,false); el_free(e); } else { elem *e = el_long(TYnptr, 0); e.Eoper = OPgot; regm_t retregs = mBX; codelem(cdb,e,&retregs,false); el_free(e); } } } } static if (TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { /***************************** * Returns: * # of bytes stored */ private int obj_namestring(char *p,const(char)* name) { size_t len = strlen(name); if (len > 255) { short *ps = cast(short *)p; p[0] = 0xFF; p[1] = 0; ps[1] = cast(short)len; memcpy(p + 4,name,len); const int ONS_OHD = 4; // max # of extra bytes added by obj_namestring() len += ONS_OHD; } else { p[0] = cast(char)len; memcpy(p + 1,name,len); len++; } return cast(int)len; } } void genregs(ref CodeBuilder cdb,opcode_t op,uint dstreg,uint srcreg) { return cdb.gen2(op,modregxrmx(3,dstreg,srcreg)); } void gentstreg(ref CodeBuilder cdb, uint t) { cdb.gen2(0x85,modregxrmx(3,t,t)); // TEST t,t code_orflag(cdb.last(),CFpsw); } void genpush(ref CodeBuilder cdb, reg_t reg) { cdb.gen1(0x50 + (reg & 7)); if (reg & 8) code_orrex(cdb.last(), REX_B); } void genpop(ref CodeBuilder cdb, reg_t reg) { cdb.gen1(0x58 + (reg & 7)); if (reg & 8) code_orrex(cdb.last(), REX_B); } /************************** * Generate a MOV to,from register instruction. * Smart enough to dump redundant register moves, and segment * register moves. */ code *genmovreg(uint to,uint from) { CodeBuilder cdb; cdb.ctor(); genmovreg(cdb, to, from); return cdb.finish(); } void genmovreg(ref CodeBuilder cdb,uint to,uint from) { genmovreg(cdb, to, from, TYMAX); } void genmovreg(ref CodeBuilder cdb, uint to, uint from, tym_t tym) { // register kind. ex: GPR,XMM,SEG static uint _K(uint reg) { switch (reg) { case ES: return ES; case XMM15: case XMM0: .. case XMM7: return XMM0; case AX: .. case R15: return AX; default: return reg; } } // kind combination (order kept) static uint _X(uint to, uint from) { return (_K(to) << 8) + _K(from); } if (to != from) { if (tym == TYMAX) tym = TYsize_t; // avoid register slicing switch (_X(to, from)) { case _X(AX, AX): genregs(cdb, 0x89, from, to); // MOV to,from if (I64 && tysize(tym) >= 8) code_orrex(cdb.last(), REX_W); break; case _X(XMM0, XMM0): // MOVD/Q to,from genregs(cdb, xmmload(tym), to-XMM0, from-XMM0); checkSetVex(cdb.last(), tym); break; case _X(AX, XMM0): // MOVD/Q to,from genregs(cdb, STOD, from-XMM0, to); if (I64 && tysize(tym) >= 8) code_orrex(cdb.last(), REX_W); checkSetVex(cdb.last(), tym); break; case _X(XMM0, AX): // MOVD/Q to,from genregs(cdb, LODD, to-XMM0, from); if (I64 && tysize(tym) >= 8) code_orrex(cdb.last(), REX_W); checkSetVex(cdb.last(), tym); break; case _X(ES, AX): assert(tysize(tym) <= REGSIZE); genregs(cdb, 0x8E, 0, from); break; case _X(AX, ES): assert(tysize(tym) <= REGSIZE); genregs(cdb, 0x8C, 0, to); break; default: debug printf("genmovreg(to = %s, from = %s)\n" , regm_str(mask(to)), regm_str(mask(from))); assert(0); } } } /*************************************** * Generate immediate multiply instruction for r1=r2*imm. * Optimize it into LEA's if we can. */ void genmulimm(ref CodeBuilder cdb,uint r1,uint r2,targ_int imm) { // These optimizations should probably be put into pinholeopt() switch (imm) { case 1: genmovreg(cdb,r1,r2); break; case 5: { code cs; cs.Iop = LEA; cs.Iflags = 0; cs.Irex = 0; buildEA(&cs,r2,r2,4,0); cs.orReg(r1); cdb.gen(&cs); break; } default: cdb.genc2(0x69,modregxrmx(3,r1,r2),imm); // IMUL r1,r2,imm break; } } /****************************** * Load CX with the value of _AHSHIFT. */ void genshift(ref CodeBuilder cdb) { version (SCPP) { // Set up ahshift to trick ourselves into giving the right fixup, // which must be seg-relative, external frame, external target. cdb.gencs(0xC7,modregrm(3,0,CX),FLfunc,getRtlsym(RTLSYM_AHSHIFT)); cdb.last().Iflags |= CFoff; } else assert(0); } /****************************** * Move constant value into reg. * Take advantage of existing values in registers. * If flags & mPSW * set flags based on result * Else if flags & 8 * do not disturb flags * Else * don't care about flags * If flags & 1 then byte move * If flags & 2 then short move (for I32 and I64) * If flags & 4 then don't disturb unused portion of register * If flags & 16 then reg is a byte register AL..BH * If flags & 64 (0x40) then 64 bit move (I64 only) * Returns: * code (if any) generated */ void movregconst(ref CodeBuilder cdb,reg_t reg,targ_size_t value,regm_t flags) { reg_t r; regm_t mreg; //printf("movregconst(reg=%s, value= %lld (%llx), flags=%x)\n", regm_str(mask(reg)), value, value, flags); regm_t regm = regcon.immed.mval & mask(reg); targ_size_t regv = regcon.immed.value[reg]; if (flags & 1) // 8 bits { value &= 0xFF; regm &= BYTEREGS; // If we already have the right value in the right register if (regm && (regv & 0xFF) == value) goto L2; if (flags & 16 && reg & 4 && // if an H byte register regcon.immed.mval & mask(reg & 3) && (((regv = regcon.immed.value[reg & 3]) >> 8) & 0xFF) == value) goto L2; /* Avoid byte register loads to avoid dependency stalls. */ if ((I32 || I64) && config.target_cpu >= TARGET_PentiumPro && !(flags & 4)) goto L3; // See if another register has the right value r = 0; for (mreg = (regcon.immed.mval & BYTEREGS); mreg; mreg >>= 1) { if (mreg & 1) { if ((regcon.immed.value[r] & 0xFF) == value) { genregs(cdb,0x8A,reg,r); // MOV regL,rL if (I64 && reg >= 4 || r >= 4) code_orrex(cdb.last(), REX); goto L2; } if (!(I64 && reg >= 4) && r < 4 && ((regcon.immed.value[r] >> 8) & 0xFF) == value) { genregs(cdb,0x8A,reg,r | 4); // MOV regL,rH goto L2; } } r++; } if (value == 0 && !(flags & 8)) { if (!(flags & 4) && // if we can set the whole register !(flags & 16 && reg & 4)) // and reg is not an H register { genregs(cdb,0x31,reg,reg); // XOR reg,reg regimmed_set(reg,value); regv = 0; } else genregs(cdb,0x30,reg,reg); // XOR regL,regL flags &= ~mPSW; // flags already set by XOR } else { cdb.genc2(0xC6,modregrmx(3,0,reg),value); // MOV regL,value if (reg >= 4 && I64) { code_orrex(cdb.last(), REX); } } L2: if (flags & mPSW) genregs(cdb,0x84,reg,reg); // TEST regL,regL if (regm) // Set just the 'L' part of the register value regimmed_set(reg,(regv & ~cast(targ_size_t)0xFF) | value); else if (flags & 16 && reg & 4 && regcon.immed.mval & mask(reg & 3)) // Set just the 'H' part of the register value regimmed_set((reg & 3),(regv & ~cast(targ_size_t)0xFF00) | (value << 8)); return; } L3: if (I16) value = cast(targ_short) value; // sign-extend MSW else if (I32) value = cast(targ_int) value; if (!I16 && flags & 2) // load 16 bit value { value &= 0xFFFF; if (value && !(flags & mPSW)) { cdb.genc2(0xC7,modregrmx(3,0,reg),value); // MOV reg,value regimmed_set(reg, value); return; } } // If we already have the right value in the right register if (regm && (regv & 0xFFFFFFFF) == (value & 0xFFFFFFFF) && !(flags & 64)) { if (flags & mPSW) gentstreg(cdb,reg); } else if (flags & 64 && regm && regv == value) { // Look at the full 64 bits if (flags & mPSW) { gentstreg(cdb,reg); code_orrex(cdb.last(), REX_W); } } else { if (flags & mPSW) { switch (value) { case 0: genregs(cdb,0x31,reg,reg); break; case 1: if (I64) goto L4; genregs(cdb,0x31,reg,reg); goto inc; case ~cast(targ_size_t)0: if (I64) goto L4; genregs(cdb,0x31,reg,reg); goto dec; default: L4: if (flags & 64) { cdb.genc2(0xB8 + (reg&7),REX_W << 16 | (reg&8) << 13,value); // MOV reg,value64 gentstreg(cdb,reg); code_orrex(cdb.last(), REX_W); } else { value &= 0xFFFFFFFF; cdb.genc2(0xB8 + (reg&7),(reg&8) << 13,value); // MOV reg,value gentstreg(cdb,reg); } break; } } else { // Look for single byte conversion if (regcon.immed.mval & mAX) { if (I32) { if (reg == AX && value == cast(targ_short) regv) { cdb.gen1(0x98); // CWDE goto done; } if (reg == DX && value == (regcon.immed.value[AX] & 0x80000000 ? 0xFFFFFFFF : 0) && !(config.flags4 & CFG4speed && config.target_cpu >= TARGET_Pentium) ) { cdb.gen1(0x99); // CDQ goto done; } } else if (I16) { if (reg == AX && cast(targ_short) value == cast(byte) regv) { cdb.gen1(0x98); // CBW goto done; } if (reg == DX && cast(targ_short) value == (regcon.immed.value[AX] & 0x8000 ? cast(targ_short) 0xFFFF : cast(targ_short) 0) && !(config.flags4 & CFG4speed && config.target_cpu >= TARGET_Pentium) ) { cdb.gen1(0x99); // CWD goto done; } } } if (value == 0 && !(flags & 8) && config.target_cpu >= TARGET_80486) { genregs(cdb,0x31,reg,reg); // XOR reg,reg goto done; } if (!I64 && regm && !(flags & 8)) { if (regv + 1 == value || // Catch case of (0xFFFF+1 == 0) for 16 bit compiles (I16 && cast(targ_short)(regv + 1) == cast(targ_short)value)) { inc: cdb.gen1(0x40 + reg); // INC reg goto done; } if (regv - 1 == value) { dec: cdb.gen1(0x48 + reg); // DEC reg goto done; } } // See if another register has the right value r = 0; for (mreg = regcon.immed.mval; mreg; mreg >>= 1) { debug assert(!I16 || regcon.immed.value[r] == cast(targ_short)regcon.immed.value[r]); if (mreg & 1 && regcon.immed.value[r] == value) { genmovreg(cdb,reg,r); goto done; } r++; } if (value == 0 && !(flags & 8)) { genregs(cdb,0x31,reg,reg); // XOR reg,reg } else { // See if we can just load a byte if (regm & BYTEREGS && !(config.flags4 & CFG4speed && config.target_cpu >= TARGET_PentiumPro) ) { if ((regv & ~cast(targ_size_t)0xFF) == (value & ~cast(targ_size_t)0xFF)) { movregconst(cdb,reg,value,(flags & 8) |4|1); // load regL return; } if (regm & (mAX|mBX|mCX|mDX) && (regv & ~cast(targ_size_t)0xFF00) == (value & ~cast(targ_size_t)0xFF00) && !I64) { movregconst(cdb,4|reg,value >> 8,(flags & 8) |4|1|16); // load regH return; } } if (flags & 64) cdb.genc2(0xB8 + (reg&7),REX_W << 16 | (reg&8) << 13,value); // MOV reg,value64 else { value &= 0xFFFFFFFF; cdb.genc2(0xB8 + (reg&7),(reg&8) << 13,value); // MOV reg,value } } } done: regimmed_set(reg,value); } } /************************** * Generate a jump instruction. */ void genjmp(ref CodeBuilder cdb,opcode_t op,uint fltarg,block *targ) { code cs; cs.Iop = op & 0xFF; cs.Iflags = 0; cs.Irex = 0; if (op != JMP && op != 0xE8) // if not already long branch cs.Iflags = CFjmp16; // assume long branch for op = 0x7x cs.IFL2 = cast(ubyte)fltarg; // FLblock (or FLcode) cs.IEV2.Vblock = targ; // target block (or code) if (fltarg == FLcode) (cast(code *)targ).Iflags |= CFtarg; if (config.flags4 & CFG4fastfloat) // if fast floating point { cdb.gen(&cs); return; } switch (op & 0xFF00) // look at second jump opcode { // The JP and JNP come from floating point comparisons case JP << 8: cdb.gen(&cs); cs.Iop = JP; cdb.gen(&cs); break; case JNP << 8: { // Do a JP around the jump instruction code *cnop = gennop(null); genjmp(cdb,JP,FLcode,cast(block *) cnop); cdb.gen(&cs); cdb.append(cnop); break; } case 1 << 8: // toggled no jump case 0 << 8: cdb.gen(&cs); break; default: debug printf("jop = x%x\n",op); assert(0); } } /********************************************* * Generate first part of prolog for interrupt function. */ void prolog_ifunc(ref CodeBuilder cdb, tym_t* tyf) { static immutable ubyte[4] ops2 = [ 0x60,0x1E,0x06,0 ]; static immutable ubyte[11] ops0 = [ 0x50,0x51,0x52,0x53, 0x54,0x55,0x56,0x57, 0x1E,0x06,0 ]; immutable(ubyte)* p = (config.target_cpu >= TARGET_80286) ? ops2.ptr : ops0.ptr; do cdb.gen1(*p); while (*++p); genregs(cdb,0x8B,BP,SP); // MOV BP,SP if (localsize) cod3_stackadj(cdb, cast(int)localsize); *tyf |= mTYloadds; } void prolog_ifunc2(ref CodeBuilder cdb, tym_t tyf, tym_t tym, bool pushds) { /* Determine if we need to reload DS */ if (tyf & mTYloadds) { if (!pushds) // if not already pushed cdb.gen1(0x1E); // PUSH DS spoff += _tysize[TYint]; cdb.genc(0xC7,modregrm(3,0,AX),0,0,FLdatseg,cast(targ_uns) 0); // MOV AX,DGROUP code *c = cdb.last(); c.IEV2.Vseg = DATA; c.Iflags ^= CFseg | CFoff; // turn off CFoff, on CFseg cdb.gen2(0x8E,modregrm(3,3,AX)); // MOV DS,AX useregs(mAX); } if (tym == TYifunc) cdb.gen1(0xFC); // CLD } void prolog_16bit_windows_farfunc(ref CodeBuilder cdb, tym_t* tyf, bool* pushds) { int wflags = config.wflags; if (wflags & WFreduced && !(*tyf & mTYexport)) { // reduced prolog/epilog for non-exported functions wflags &= ~(WFdgroup | WFds | WFss); } getregsNoSave(mAX); // should not have any value in AX int segreg; switch (wflags & (WFdgroup | WFds | WFss)) { case WFdgroup: // MOV AX,DGROUP { if (wflags & WFreduced) *tyf &= ~mTYloadds; // remove redundancy cdb.genc(0xC7,modregrm(3,0,AX),0,0,FLdatseg,cast(targ_uns) 0); code *c = cdb.last(); c.IEV2.Vseg = DATA; c.Iflags ^= CFseg | CFoff; // turn off CFoff, on CFseg break; } case WFss: segreg = 2; // SS goto Lmovax; case WFds: segreg = 3; // DS Lmovax: cdb.gen2(0x8C,modregrm(3,segreg,AX)); // MOV AX,segreg if (wflags & WFds) cdb.gen1(0x90); // NOP break; case 0: break; default: debug printf("config.wflags = x%x\n",config.wflags); assert(0); } if (wflags & WFincbp) cdb.gen1(0x40 + BP); // INC BP cdb.gen1(0x50 + BP); // PUSH BP genregs(cdb,0x8B,BP,SP); // MOV BP,SP if (wflags & (WFsaveds | WFds | WFss | WFdgroup)) { cdb.gen1(0x1E); // PUSH DS *pushds = true; BPoff = -REGSIZE; } if (wflags & (WFds | WFss | WFdgroup)) cdb.gen2(0x8E,modregrm(3,3,AX)); // MOV DS,AX } /********************************************** * Set up frame register. * Params: * cdb = write generated code here * farfunc = true if a far function * enter = set to true if ENTER instruction can be used, false otherwise * xlocalsize = amount of local variables, set to amount to be subtracted from stack pointer * cfa_offset = set to frame pointer's offset from the CFA * Returns: * generated code */ void prolog_frame(ref CodeBuilder cdb, bool farfunc, ref uint xlocalsize, out bool enter, out int cfa_offset) { //printf("prolog_frame\n"); cfa_offset = 0; if (0 && config.exe == EX_WIN64) { // PUSH RBP // LEA RBP,0[RSP] cdb. gen1(0x50 + BP); cdb.genc1(LEA,(REX_W<<16) | (modregrm(0,4,SP)<<8) | modregrm(2,BP,4),FLconst,0); enter = false; return; } if (config.wflags & WFincbp && farfunc) cdb.gen1(0x40 + BP); // INC BP if (config.target_cpu < TARGET_80286 || config.exe & (EX_LINUX | EX_LINUX64 | EX_OSX | EX_OSX64 | EX_FREEBSD | EX_FREEBSD64 | EX_DRAGONFLYBSD64 | EX_SOLARIS | EX_SOLARIS64 | EX_WIN64) || !localsize || config.flags & CFGstack || (xlocalsize >= 0x1000 && config.exe & EX_flat) || localsize >= 0x10000 || (NTEXCEPTIONS == 2 && (usednteh & (NTEH_try | NTEH_except | NTEHcpp | EHcleanup | EHtry | NTEHpassthru) && (config.ehmethod == EHmethod.EH_WIN32 && !(funcsym_p.Sfunc.Fflags3 & Feh_none) || config.ehmethod == EHmethod.EH_SEH))) || (config.target_cpu >= TARGET_80386 && config.flags4 & CFG4speed) ) { cdb.gen1(0x50 + BP); // PUSH BP genregs(cdb,0x8B,BP,SP); // MOV BP,SP if (I64) code_orrex(cdb.last(), REX_W); // MOV RBP,RSP if ((config.objfmt & (OBJ_ELF | OBJ_MACH)) && config.fulltypes) // Don't reorder instructions, as dwarf CFA relies on it code_orflag(cdb.last(), CFvolatile); static if (NTEXCEPTIONS == 2) { if (usednteh & (NTEH_try | NTEH_except | NTEHcpp | EHcleanup | EHtry | NTEHpassthru) && (config.ehmethod == EHmethod.EH_WIN32 && !(funcsym_p.Sfunc.Fflags3 & Feh_none) || config.ehmethod == EHmethod.EH_SEH)) { nteh_prolog(cdb); int sz = nteh_contextsym_size(); assert(sz != 0); // should be 5*4, not 0 xlocalsize -= sz; // sz is already subtracted from ESP // by nteh_prolog() } } if (config.fulltypes == CVDWARF_C || config.fulltypes == CVDWARF_D || config.ehmethod == EHmethod.EH_DWARF) { int off = 2 * REGSIZE; // 1 for the return address + 1 for the PUSH EBP dwarf_CFA_set_loc(1); // address after PUSH EBP dwarf_CFA_set_reg_offset(SP, off); // CFA is now 8[ESP] dwarf_CFA_offset(BP, -off); // EBP is at 0[ESP] dwarf_CFA_set_loc(I64 ? 4 : 3); // address after MOV EBP,ESP /* Oddly, the CFA is not the same as the frame pointer, * which is why the offset of BP is set to 8 */ dwarf_CFA_set_reg_offset(BP, off); // CFA is now 0[EBP] cfa_offset = off; // remember the difference between the CFA and the frame pointer } enter = false; /* do not use ENTER instruction */ } else enter = true; } /********************************************** * Enforce stack alignment. * Input: * cdb code builder. * Returns: * generated code */ void prolog_stackalign(ref CodeBuilder cdb) { if (!enforcealign) return; const offset = (hasframe ? 2 : 1) * REGSIZE; // 1 for the return address + 1 for the PUSH EBP if (offset & (STACKALIGN - 1) || TARGET_STACKALIGN < STACKALIGN) cod3_stackalign(cdb, STACKALIGN); } void prolog_frameadj(ref CodeBuilder cdb, tym_t tyf, uint xlocalsize, bool enter, bool* pushalloc) { uint pushallocreg = (tyf == TYmfunc) ? CX : AX; static if (TARGET_LINUX) { bool check = false; // seems that Linux doesn't need to fault in stack pages } else { bool check = (config.flags & CFGstack && !(I32 && xlocalsize < 0x1000)) // if stack overflow check || (TARGET_WINDOS && xlocalsize >= 0x1000 && config.exe & EX_flat); } if (check) { if (I16) { // BUG: Won't work if parameter is passed in AX movregconst(cdb,AX,xlocalsize,false); // MOV AX,localsize makeitextern(getRtlsym(RTLSYM_CHKSTK)); // CALL _chkstk cdb.gencs((LARGECODE) ? 0x9A : CALL,0,FLfunc,getRtlsym(RTLSYM_CHKSTK)); useregs((ALLREGS | mBP | mES) & ~getRtlsym(RTLSYM_CHKSTK).Sregsaved); } else { /* Watch out for 64 bit code where EDX is passed as a register parameter */ reg_t reg = I64 ? R11 : DX; // scratch register /* MOV EDX, xlocalsize/0x1000 * L1: SUB ESP, 0x1000 * TEST [ESP],ESP * DEC EDX * JNE L1 * SUB ESP, xlocalsize % 0x1000 */ movregconst(cdb, reg, xlocalsize / 0x1000, false); cod3_stackadj(cdb, 0x1000); code_orflag(cdb.last(), CFtarg2); cdb.gen2sib(0x85, modregrm(0,SP,4),modregrm(0,4,SP)); if (I64) { cdb.gen2(0xFF, modregrmx(3,1,R11)); // DEC R11D cdb.genc2(JNE,0,cast(targ_uns)-15); } else { cdb.gen1(0x48 + DX); // DEC EDX cdb.genc2(JNE,0,cast(targ_uns)-12); } regimmed_set(reg,0); // reg is now 0 cod3_stackadj(cdb, xlocalsize & 0xFFF); useregs(mask(reg)); } } else { if (enter) { // ENTER xlocalsize,0 cdb.genc(ENTER,0,FLconst,xlocalsize,FLconst,cast(targ_uns) 0); assert(!(config.fulltypes == CVDWARF_C || config.fulltypes == CVDWARF_D)); // didn't emit Dwarf data } else if (xlocalsize == REGSIZE && config.flags4 & CFG4optimized) { cdb. gen1(0x50 + pushallocreg); // PUSH AX // Do this to prevent an -x[EBP] to be moved in // front of the push. code_orflag(cdb.last(),CFvolatile); *pushalloc = true; } else cod3_stackadj(cdb, xlocalsize); } } void prolog_frameadj2(ref CodeBuilder cdb, tym_t tyf, uint xlocalsize, bool* pushalloc) { uint pushallocreg = (tyf == TYmfunc) ? CX : AX; if (xlocalsize == REGSIZE) { cdb.gen1(0x50 + pushallocreg); // PUSH AX *pushalloc = true; } else if (xlocalsize == 2 * REGSIZE) { cdb.gen1(0x50 + pushallocreg); // PUSH AX cdb.gen1(0x50 + pushallocreg); // PUSH AX *pushalloc = true; } else cod3_stackadj(cdb, xlocalsize); } void prolog_setupalloca(ref CodeBuilder cdb) { //printf("prolog_setupalloca() offset x%x size x%x alignment x%x\n", //cast(int)Alloca.offset, cast(int)Alloca.size, cast(int)Alloca.alignment); // Set up magic parameter for alloca() // MOV -REGSIZE[BP],localsize - BPoff cdb.genc(0xC7,modregrm(2,0,BPRM), FLconst,Alloca.offset + BPoff, FLconst,localsize - BPoff); if (I64) code_orrex(cdb.last(), REX_W); } /************************************** * Save registers that the function destroys, * but that the ABI says should be preserved across * function calls. * * Emit Dwarf info for these saves. * Params: * cdb = append generated instructions to this * topush = mask of registers to push * cfa_offset = offset of frame pointer from CFA */ void prolog_saveregs(ref CodeBuilder cdb, regm_t topush, int cfa_offset) { if (pushoffuse) { // Save to preallocated section in the stack frame int xmmtopush = numbitsset(topush & XMMREGS); // XMM regs take 16 bytes int gptopush = numbitsset(topush) - xmmtopush; // general purpose registers to save targ_size_t xmmoffset = pushoff + BPoff; if (!hasframe || enforcealign) xmmoffset += EBPtoESP; targ_size_t gpoffset = xmmoffset + xmmtopush * 16; while (topush) { reg_t reg = findreg(topush); topush &= ~mask(reg); if (isXMMreg(reg)) { if (hasframe && !enforcealign) { // MOVUPD xmmoffset[EBP],xmm cdb.genc1(STOUPD,modregxrm(2,reg-XMM0,BPRM),FLconst,xmmoffset); } else { // MOVUPD xmmoffset[ESP],xmm cdb.genc1(STOUPD,modregxrm(2,reg-XMM0,4) + 256*modregrm(0,4,SP),FLconst,xmmoffset); } xmmoffset += 16; } else { if (hasframe && !enforcealign) { // MOV gpoffset[EBP],reg cdb.genc1(0x89,modregxrm(2,reg,BPRM),FLconst,gpoffset); } else { // MOV gpoffset[ESP],reg cdb.genc1(0x89,modregxrm(2,reg,4) + 256*modregrm(0,4,SP),FLconst,gpoffset); } if (I64) code_orrex(cdb.last(), REX_W); if (config.fulltypes == CVDWARF_C || config.fulltypes == CVDWARF_D || config.ehmethod == EHmethod.EH_DWARF) { // Emit debug_frame data giving location of saved register code *c = cdb.finish(); pinholeopt(c, null); dwarf_CFA_set_loc(calcblksize(c)); // address after save dwarf_CFA_offset(reg, cast(int)(gpoffset - cfa_offset)); cdb.reset(); cdb.append(c); } gpoffset += REGSIZE; } } } else { while (topush) /* while registers to push */ { reg_t reg = findreg(topush); topush &= ~mask(reg); if (isXMMreg(reg)) { // SUB RSP,16 cod3_stackadj(cdb, 16); // MOVUPD 0[RSP],xmm cdb.genc1(STOUPD,modregxrm(2,reg-XMM0,4) + 256*modregrm(0,4,SP),FLconst,0); EBPtoESP += 16; spoff += 16; } else { genpush(cdb, reg); EBPtoESP += REGSIZE; spoff += REGSIZE; if (config.fulltypes == CVDWARF_C || config.fulltypes == CVDWARF_D || config.ehmethod == EHmethod.EH_DWARF) { // Emit debug_frame data giving location of saved register // relative to 0[EBP] code *c = cdb.finish(); pinholeopt(c, null); dwarf_CFA_set_loc(calcblksize(c)); // address after PUSH reg dwarf_CFA_offset(reg, -EBPtoESP - cfa_offset); cdb.reset(); cdb.append(c); } } } } } /************************************** * Undo prolog_saveregs() */ private void epilog_restoreregs(ref CodeBuilder cdb, regm_t topop) { debug if (topop & ~(XMMREGS | 0xFFFF)) printf("fregsaved = %s, mfuncreg = %s\n",regm_str(fregsaved),regm_str(mfuncreg)); assert(!(topop & ~(XMMREGS | 0xFFFF))); if (pushoffuse) { // Save to preallocated section in the stack frame int xmmtopop = numbitsset(topop & XMMREGS); // XMM regs take 16 bytes int gptopop = numbitsset(topop) - xmmtopop; // general purpose registers to save targ_size_t xmmoffset = pushoff + BPoff; if (!hasframe || enforcealign) xmmoffset += EBPtoESP; targ_size_t gpoffset = xmmoffset + xmmtopop * 16; while (topop) { reg_t reg = findreg(topop); topop &= ~mask(reg); if (isXMMreg(reg)) { if (hasframe && !enforcealign) { // MOVUPD xmm,xmmoffset[EBP] cdb.genc1(LODUPD,modregxrm(2,reg-XMM0,BPRM),FLconst,xmmoffset); } else { // MOVUPD xmm,xmmoffset[ESP] cdb.genc1(LODUPD,modregxrm(2,reg-XMM0,4) + 256*modregrm(0,4,SP),FLconst,xmmoffset); } xmmoffset += 16; } else { if (hasframe && !enforcealign) { // MOV reg,gpoffset[EBP] cdb.genc1(0x8B,modregxrm(2,reg,BPRM),FLconst,gpoffset); } else { // MOV reg,gpoffset[ESP] cdb.genc1(0x8B,modregxrm(2,reg,4) + 256*modregrm(0,4,SP),FLconst,gpoffset); } if (I64) code_orrex(cdb.last(), REX_W); gpoffset += REGSIZE; } } } else { reg_t reg = I64 ? XMM7 : DI; if (!(topop & XMMREGS)) reg = R15; regm_t regm = 1 << reg; while (topop) { if (topop & regm) { if (isXMMreg(reg)) { // MOVUPD xmm,0[RSP] cdb.genc1(LODUPD,modregxrm(2,reg-XMM0,4) + 256*modregrm(0,4,SP),FLconst,0); // ADD RSP,16 cod3_stackadj(cdb, -16); } else { cdb.gen1(0x58 + (reg & 7)); // POP reg if (reg & 8) code_orrex(cdb.last(), REX_B); } topop &= ~regm; } regm >>= 1; reg--; } } } version (SCPP) { void prolog_trace(ref CodeBuilder cdb, bool farfunc, uint* regsaved) { Symbol *s = getRtlsym(farfunc ? RTLSYM_TRACE_PRO_F : RTLSYM_TRACE_PRO_N); makeitextern(s); cdb.gencs(I16 ? 0x9A : CALL,0,FLfunc,s); // CALL _trace if (!I16) code_orflag(cdb.last(),CFoff | CFselfrel); /* Embedding the function name inline after the call works, but it * makes disassembling the code annoying. */ static if (ELFOBJ || MACHOBJ) { // Generate length prefixed name that is recognized by profiler size_t len = strlen(funcsym_p.Sident); char *buffer = cast(char *)malloc(len + 4); assert(buffer); if (len <= 254) { buffer[0] = len; memcpy(buffer + 1, funcsym_p.Sident, len); len++; } else { buffer[0] = 0xFF; buffer[1] = 0; buffer[2] = len & 0xFF; buffer[3] = len >> 8; memcpy(buffer + 4, funcsym_p.Sident, len); len += 4; } cdb.genasm(buffer, len); // append func name free(buffer); } else { char [IDMAX+IDOHD+1] name = void; size_t len = objmod.mangle(funcsym_p,name.ptr); assert(len < name.length); cdb.genasm(name.ptr,len); // append func name } *regsaved = s.Sregsaved; } } /****************************** * Generate special varargs prolog for Posix 64 bit systems. * Params: * cdb = sink for generated code * sv = symbol for __va_argsave * namedargs = registers that named parameters (not ... arguments) were passed in. */ void prolog_genvarargs(ref CodeBuilder cdb, Symbol* sv, regm_t namedargs) { /* Generate code to move any arguments passed in registers into * the stack variable __va_argsave, * so we can reference it via pointers through va_arg(). * struct __va_argsave_t { * size_t[6] regs; * real[8] fpregs; * uint offset_regs; * uint offset_fpregs; * void* stack_args; * void* reg_args; * } * The MOVAPS instructions seg fault if data is not aligned on * 16 bytes, so this gives us a nice check to ensure no mistakes. MOV voff+0*8[RBP],EDI MOV voff+1*8[RBP],ESI MOV voff+2*8[RBP],RDX MOV voff+3*8[RBP],RCX MOV voff+4*8[RBP],R8 MOV voff+5*8[RBP],R9 MOVZX EAX,AL // AL = 0..8, # of XMM registers used SHL EAX,2 // 4 bytes for each MOVAPS LEA R11,offset L2[RIP] SUB R11,RAX LEA RAX,voff+6*8+0x7F[RBP] JMP R11d MOVAPS -0x0F[RAX],XMM7 // only save XMM registers if actually used MOVAPS -0x1F[RAX],XMM6 MOVAPS -0x2F[RAX],XMM5 MOVAPS -0x3F[RAX],XMM4 MOVAPS -0x4F[RAX],XMM3 MOVAPS -0x5F[RAX],XMM2 MOVAPS -0x6F[RAX],XMM1 MOVAPS -0x7F[RAX],XMM0 L2: MOV 1[RAX],offset_regs // set __va_argsave.offset_regs MOV 5[RAX],offset_fpregs // set __va_argsave.offset_fpregs LEA R11, Para.size+Para.offset[RBP] MOV 9[RAX],R11 // set __va_argsave.stack_args SUB RAX,6*8+0x7F // point to start of __va_argsave MOV 6*8+8*16+4+4+8[RAX],RAX // set __va_argsave.reg_args * RAX and R11 are destroyed. */ /* Save registers into the voff area on the stack */ targ_size_t voff = Auto.size + BPoff + sv.Soffset; // EBP offset of start of sv const int vregnum = 6; const uint vsize = vregnum * 8 + 8 * 16; static immutable ubyte[vregnum] regs = [ DI,SI,DX,CX,R8,R9 ]; if (!hasframe || enforcealign) voff += EBPtoESP; for (int i = 0; i < vregnum; i++) { uint r = regs[i]; if (!(mask(r) & namedargs)) // unnamed arguments would be the ... ones { uint ea = (REX_W << 16) | modregxrm(2,r,BPRM); if (!hasframe || enforcealign) ea = (REX_W << 16) | (modregrm(0,4,SP) << 8) | modregxrm(2,r,4); cdb.genc1(0x89,ea,FLconst,voff + i*8); } } genregs(cdb,MOVZXb,AX,AX); // MOVZX EAX,AL cdb.genc2(0xC1,modregrm(3,4,AX),2); // SHL EAX,2 int raxoff = cast(int)(voff+6*8+0x7F); uint L2offset = (raxoff < -0x7F) ? 0x2D : 0x2A; if (!hasframe || enforcealign) L2offset += 1; // +1 for sib byte // LEA R11,offset L2[RIP] cdb.genc1(LEA,(REX_W << 16) | modregxrm(0,R11,5),FLconst,L2offset); genregs(cdb,0x29,AX,R11); // SUB R11,RAX code_orrex(cdb.last(), REX_W); // LEA RAX,voff+vsize-6*8-16+0x7F[RBP] uint ea = (REX_W << 16) | modregrm(2,AX,BPRM); if (!hasframe || enforcealign) // add sib byte for [RSP] addressing ea = (REX_W << 16) | (modregrm(0,4,SP) << 8) | modregxrm(2,AX,4); cdb.genc1(LEA,ea,FLconst,raxoff); cdb.gen2(0xFF,modregrmx(3,4,R11)); // JMP R11d for (int i = 0; i < 8; i++) { // MOVAPS -15-16*i[RAX],XMM7-i cdb.genc1(0x0F29,modregrm(0,XMM7-i,0),FLconst,-15-16*i); } /* Compute offset_regs and offset_fpregs */ uint offset_regs = 0; uint offset_fpregs = vregnum * 8; for (int i = AX; i <= XMM7; i++) { regm_t m = mask(i); if (m & namedargs) { if (m & (mDI|mSI|mDX|mCX|mR8|mR9)) offset_regs += 8; else if (m & XMMREGS) offset_fpregs += 16; namedargs &= ~m; if (!namedargs) break; } } // MOV 1[RAX],offset_regs cdb.genc(0xC7,modregrm(2,0,AX),FLconst,1,FLconst,offset_regs); // MOV 5[RAX],offset_fpregs cdb.genc(0xC7,modregrm(2,0,AX),FLconst,5,FLconst,offset_fpregs); // LEA R11, Para.size+Para.offset[RBP] ea = modregxrm(2,R11,BPRM); if (!hasframe) ea = (modregrm(0,4,SP) << 8) | modregrm(2,DX,4); Para.offset = (Para.offset + (REGSIZE - 1)) & ~(REGSIZE - 1); cdb.genc1(LEA,(REX_W << 16) | ea,FLconst,Para.size + Para.offset); // MOV 9[RAX],R11 cdb.genc1(0x89,(REX_W << 16) | modregxrm(2,R11,AX),FLconst,9); // SUB RAX,6*8+0x7F // point to start of __va_argsave cdb.genc2(0x2D,0,6*8+0x7F); code_orrex(cdb.last(), REX_W); // MOV 6*8+8*16+4+4+8[RAX],RAX // set __va_argsave.reg_args cdb.genc1(0x89,(REX_W << 16) | modregrm(2,AX,AX),FLconst,6*8+8*16+4+4+8); pinholeopt(cdb.peek(), null); useregs(mAX|mR11); } void prolog_gen_win64_varargs(ref CodeBuilder cdb) { /* The Microsoft scheme. * http://msdn.microsoft.com/en-US/library/dd2wa36c(v=vs.80) * Copy registers onto stack. mov 8[RSP],RCX mov 010h[RSP],RDX mov 018h[RSP],R8 mov 020h[RSP],R9 */ } /************************************ * Params: * cdb = generated code sink * tf = what's the type of the function * pushalloc = use PUSH to allocate on the stack rather than subtracting from SP * namedargs = set to the registers that named parameters were passed in */ void prolog_loadparams(ref CodeBuilder cdb, tym_t tyf, bool pushalloc, out regm_t namedargs) { //printf("prolog_loadparams()\n"); debug for (SYMIDX si = 0; si < globsym.top; si++) { Symbol *s = globsym.tab[si]; if (debugr && (s.Sclass == SCfastpar || s.Sclass == SCshadowreg)) { printf("symbol '%s' is fastpar in register [%s,%s]\n", s.Sident.ptr, regm_str(mask(s.Spreg)), (s.Spreg2 == NOREG ? "NOREG" : regm_str(mask(s.Spreg2)))); if (s.Sfl == FLreg) printf("\tassigned to register %s\n", regm_str(mask(s.Sreglsw))); } } uint pushallocreg = (tyf == TYmfunc) ? CX : AX; /* Copy SCfastpar and SCshadowreg (parameters passed in registers) that were not assigned * registers into their stack locations. */ regm_t shadowregm = 0; for (SYMIDX si = 0; si < globsym.top; si++) { Symbol *s = globsym.tab[si]; uint sz = cast(uint)type_size(s.Stype); if ((s.Sclass == SCfastpar || s.Sclass == SCshadowreg) && s.Sfl != FLreg) { // Argument is passed in a register type *t = s.Stype; type *t2 = null; tym_t tyb = tybasic(t.Tty); // This logic is same as FuncParamRegs_alloc function at src/dmd/backend/cod1.d // // Find suitable SROA based on the element type // (Don't put volatile parameters in registers) if (tyb == TYarray && !(t.Tty & mTYvolatile)) { type *targ1; argtypes(t, targ1, t2); if (targ1) t = targ1; } // If struct just wraps another type if (tyb == TYstruct) { // On windows 64 bits, structs occupy a general purpose register, // regardless of the struct size or the number & types of its fields. if (config.exe != EX_WIN64) { type *targ1 = t.Ttag.Sstruct.Sarg1type; t2 = t.Ttag.Sstruct.Sarg2type; if (targ1) t = targ1; } } if (Symbol_Sisdead(s, anyiasm)) { // Ignore it, as it is never referenced } else { targ_size_t offset = Fast.size + BPoff; if (s.Sclass == SCshadowreg) offset = Para.size; offset += s.Soffset; if (!hasframe || (enforcealign && s.Sclass != SCshadowreg)) offset += EBPtoESP; reg_t preg = s.Spreg; foreach (i; 0 .. 2) // twice, once for each possible parameter register { shadowregm |= mask(preg); opcode_t op = 0x89; // MOV x[EBP],preg if (isXMMreg(preg)) op = xmmstore(t.Tty); if (!(pushalloc && preg == pushallocreg) || s.Sclass == SCshadowreg) { if (hasframe && (!enforcealign || s.Sclass == SCshadowreg)) { // MOV x[EBP],preg cdb.genc1(op,modregxrm(2,preg,BPRM),FLconst,offset); if (isXMMreg(preg)) { checkSetVex(cdb.last(), t.Tty); } else { //printf("%s Fast.size = %d, BPoff = %d, Soffset = %d, sz = %d\n", // s.Sident, (int)Fast.size, (int)BPoff, (int)s.Soffset, (int)sz); if (I64 && sz > 4) code_orrex(cdb.last(), REX_W); } } else { // MOV offset[ESP],preg // BUG: byte size? cdb.genc1(op, (modregrm(0,4,SP) << 8) | modregxrm(2,preg,4),FLconst,offset); if (isXMMreg(preg)) { checkSetVex(cdb.last(), t.Tty); } else { if (I64 && sz > 4) cdb.last().Irex |= REX_W; } } } preg = s.Spreg2; if (preg == NOREG) break; if (t2) t = t2; offset += REGSIZE; } } } } if (config.exe == EX_WIN64 && variadic(funcsym_p.Stype)) { /* The Microsoft scheme. * http://msdn.microsoft.com/en-US/library/dd2wa36c(v=vs.80) * Copy registers onto stack. mov 8[RSP],RCX or XMM0 mov 010h[RSP],RDX or XMM1 mov 018h[RSP],R8 or XMM2 mov 020h[RSP],R9 or XMM3 */ static immutable reg_t[4] vregs = [ CX,DX,R8,R9 ]; for (int i = 0; i < vregs.length; ++i) { uint preg = vregs[i]; uint offset = cast(uint)(Para.size + i * REGSIZE); if (!(shadowregm & (mask(preg) | mask(XMM0 + i)))) { if (hasframe) { // MOV x[EBP],preg cdb.genc1(0x89, modregxrm(2,preg,BPRM),FLconst, offset); code_orrex(cdb.last(), REX_W); } else { // MOV offset[ESP],preg cdb.genc1(0x89, (modregrm(0,4,SP) << 8) | modregxrm(2,preg,4),FLconst,offset + EBPtoESP); } cdb.last().Irex |= REX_W; } } } /* Copy SCfastpar and SCshadowreg (parameters passed in registers) that were assigned registers * into their assigned registers. * Note that we have a big problem if Pa is passed in R1 and assigned to R2, * and Pb is passed in R2 but assigned to R1. Detect it and assert. */ regm_t assignregs = 0; for (SYMIDX si = 0; si < globsym.top; si++) { Symbol *s = globsym.tab[si]; uint sz = cast(uint)type_size(s.Stype); if (s.Sclass == SCfastpar || s.Sclass == SCshadowreg) namedargs |= s.Spregm(); if ((s.Sclass == SCfastpar || s.Sclass == SCshadowreg) && s.Sfl == FLreg) { // Argument is passed in a register type *t = s.Stype; type *t2 = null; if (tybasic(t.Tty) == TYstruct && config.exe != EX_WIN64) { type *targ1 = t.Ttag.Sstruct.Sarg1type; t2 = t.Ttag.Sstruct.Sarg2type; if (targ1) t = targ1; } reg_t preg = s.Spreg; reg_t r = s.Sreglsw; for (int i = 0; i < 2; ++i) { if (preg == NOREG) break; assert(!(mask(preg) & assignregs)); // not already stepped on assignregs |= mask(r); // MOV reg,preg if (r == preg) { } else if (mask(preg) & XMMREGS) { const op = xmmload(t.Tty); // MOVSS/D xreg,preg uint xreg = r - XMM0; cdb.gen2(op,modregxrmx(3,xreg,preg - XMM0)); } else { //printf("test1 mov %s, %s\n", regstring[r], regstring[preg]); genmovreg(cdb,r,preg); if (I64 && sz == 8) code_orrex(cdb.last(), REX_W); } preg = s.Spreg2; r = s.Sregmsw; if (t2) t = t2; } } } /* For parameters that were passed on the stack, but are enregistered, * initialize the registers with the parameter stack values. * Do not use assignaddr(), as it will replace the stack reference with * the register. */ for (SYMIDX si = 0; si < globsym.top; si++) { Symbol *s = globsym.tab[si]; uint sz = cast(uint)type_size(s.Stype); if ((s.Sclass == SCregpar || s.Sclass == SCparameter) && s.Sfl == FLreg && (refparam // This variable has been reference by a nested function || MARS && s.Stype.Tty & mTYvolatile )) { // MOV reg,param[BP] //assert(refparam); if (mask(s.Sreglsw) & XMMREGS) { const op = xmmload(s.Stype.Tty); // MOVSS/D xreg,mem uint xreg = s.Sreglsw - XMM0; cdb.genc1(op,modregxrm(2,xreg,BPRM),FLconst,Para.size + s.Soffset); if (!hasframe) { // Convert to ESP relative address rather than EBP code *c = cdb.last(); c.Irm = cast(ubyte)modregxrm(2,xreg,4); c.Isib = modregrm(0,4,SP); c.IEV1.Vpointer += EBPtoESP; } } else { cdb.genc1(sz == 1 ? 0x8A : 0x8B, modregxrm(2,s.Sreglsw,BPRM),FLconst,Para.size + s.Soffset); code *c = cdb.last(); if (!I16 && sz == SHORTSIZE) c.Iflags |= CFopsize; // operand size if (I64 && sz >= REGSIZE) c.Irex |= REX_W; if (I64 && sz == 1 && s.Sreglsw >= 4) c.Irex |= REX; if (!hasframe) { // Convert to ESP relative address rather than EBP assert(!I16); c.Irm = cast(ubyte)modregxrm(2,s.Sreglsw,4); c.Isib = modregrm(0,4,SP); c.IEV1.Vpointer += EBPtoESP; } if (sz > REGSIZE) { cdb.genc1(0x8B, modregxrm(2,s.Sregmsw,BPRM),FLconst,Para.size + s.Soffset + REGSIZE); code *cx = cdb.last(); if (I64) cx.Irex |= REX_W; if (!hasframe) { // Convert to ESP relative address rather than EBP assert(!I16); cx.Irm = cast(ubyte)modregxrm(2,s.Sregmsw,4); cx.Isib = modregrm(0,4,SP); cx.IEV1.Vpointer += EBPtoESP; } } } } } } /******************************* * Generate and return function epilog. * Output: * retsize Size of function epilog */ void epilog(block *b) { code *cpopds; reg_t reg; reg_t regx; // register that's not a return reg regm_t topop,regm; targ_size_t xlocalsize = localsize; CodeBuilder cdbx; cdbx.ctor(); tym_t tyf = funcsym_p.ty(); tym_t tym = tybasic(tyf); bool farfunc = tyfarfunc(tym) != 0; if (!(b.Bflags & BFLepilog)) // if no epilog code goto Lret; // just generate RET regx = (b.BC == BCret) ? AX : CX; retsize = 0; if (tyf & mTYnaked) // if no prolog/epilog return; if (tym == TYifunc) { static immutable ubyte[5] ops2 = [ 0x07,0x1F,0x61,0xCF,0 ]; static immutable ubyte[12] ops0 = [ 0x07,0x1F,0x5F,0x5E, 0x5D,0x5B,0x5B,0x5A, 0x59,0x58,0xCF,0 ]; genregs(cdbx,0x8B,SP,BP); // MOV SP,BP auto p = (config.target_cpu >= TARGET_80286) ? ops2.ptr : ops0.ptr; do cdbx.gen1(*p); while (*++p); goto Lopt; } if (config.flags & CFGtrace && (!(config.flags4 & CFG4allcomdat) || funcsym_p.Sclass == SCcomdat || funcsym_p.Sclass == SCglobal || (config.flags2 & CFG2comdat && SymInline(funcsym_p)) ) ) { Symbol *s = getRtlsym(farfunc ? RTLSYM_TRACE_EPI_F : RTLSYM_TRACE_EPI_N); makeitextern(s); cdbx.gencs(I16 ? 0x9A : CALL,0,FLfunc,s); // CALLF _trace if (!I16) code_orflag(cdbx.last(),CFoff | CFselfrel); useregs((ALLREGS | mBP | mES) & ~s.Sregsaved); } if (usednteh & (NTEH_try | NTEH_except | NTEHcpp | EHcleanup | EHtry | NTEHpassthru) && (config.exe == EX_WIN32 || MARS)) { nteh_epilog(cdbx); } cpopds = null; if (tyf & mTYloadds) { cdbx.gen1(0x1F); // POP DS cpopds = cdbx.last(); } /* Pop all the general purpose registers saved on the stack * by the prolog code. Remember to do them in the reverse * order they were pushed. */ topop = fregsaved & ~mfuncreg; epilog_restoreregs(cdbx, topop); version (MARS) { if (usednteh & NTEHjmonitor) { regm_t retregs = 0; if (b.BC == BCretexp) retregs = regmask(b.Belem.Ety, tym); nteh_monitor_epilog(cdbx,retregs); xlocalsize += 8; } } if (config.wflags & WFwindows && farfunc) { int wflags = config.wflags; if (wflags & WFreduced && !(tyf & mTYexport)) { // reduced prolog/epilog for non-exported functions wflags &= ~(WFdgroup | WFds | WFss); if (!(wflags & WFsaveds)) goto L4; } if (localsize) { cdbx.genc1(LEA,modregrm(1,SP,6),FLconst,cast(targ_uns)-2); /* LEA SP,-2[BP] */ } if (wflags & (WFsaveds | WFds | WFss | WFdgroup)) { if (cpopds) cpopds.Iop = NOP; // don't need previous one cdbx.gen1(0x1F); // POP DS } cdbx.gen1(0x58 + BP); // POP BP if (config.wflags & WFincbp) cdbx.gen1(0x48 + BP); // DEC BP assert(hasframe); } else { if (needframe || (xlocalsize && hasframe)) { L4: assert(hasframe); if (xlocalsize || enforcealign) { if (config.flags2 & CFG2stomp) { /* MOV ECX,0xBEAF * L1: * MOV [ESP],ECX * ADD ESP,4 * CMP EBP,ESP * JNE L1 * POP EBP */ /* Value should be: * 1. != 0 (code checks for null pointers) * 2. be odd (to mess up alignment) * 3. fall in first 64K (likely marked as inaccessible) * 4. be a value that stands out in the debugger */ assert(I32 || I64); targ_size_t value = 0x0000BEAF; reg_t regcx = CX; mfuncreg &= ~mask(regcx); uint grex = I64 ? REX_W << 16 : 0; cdbx.genc2(0xC7,grex | modregrmx(3,0,regcx),value); // MOV regcx,value cdbx.gen2sib(0x89,grex | modregrm(0,regcx,4),modregrm(0,4,SP)); // MOV [ESP],regcx code *c1 = cdbx.last(); cdbx.genc2(0x81,grex | modregrm(3,0,SP),REGSIZE); // ADD ESP,REGSIZE genregs(cdbx,0x39,SP,BP); // CMP EBP,ESP if (I64) code_orrex(cdbx.last(),REX_W); genjmp(cdbx,JNE,FLcode,cast(block *)c1); // JNE L1 // explicitly mark as short jump, needed for correct retsize calculation (Bugzilla 15779) cdbx.last().Iflags &= ~CFjmp16; cdbx.gen1(0x58 + BP); // POP BP } else if (config.exe == EX_WIN64) { // See http://msdn.microsoft.com/en-us/library/tawsa7cb(v=vs.80).aspx // LEA RSP,0[RBP] cdbx.genc1(LEA,(REX_W<<16)|modregrm(2,SP,BPRM),FLconst,0); cdbx.gen1(0x58 + BP); // POP RBP } else if (config.target_cpu >= TARGET_80286 && !(config.target_cpu >= TARGET_80386 && config.flags4 & CFG4speed) ) cdbx.gen1(LEAVE); // LEAVE else if (0 && xlocalsize == REGSIZE && Alloca.size == 0 && I32) { // This doesn't work - I should figure out why mfuncreg &= ~mask(regx); cdbx.gen1(0x58 + regx); // POP regx cdbx.gen1(0x58 + BP); // POP BP } else { genregs(cdbx,0x8B,SP,BP); // MOV SP,BP if (I64) code_orrex(cdbx.last(), REX_W); // MOV RSP,RBP cdbx.gen1(0x58 + BP); // POP BP } } else cdbx.gen1(0x58 + BP); // POP BP if (config.wflags & WFincbp && farfunc) cdbx.gen1(0x48 + BP); // DEC BP } else if (xlocalsize == REGSIZE && (!I16 || b.BC == BCret)) { mfuncreg &= ~mask(regx); cdbx.gen1(0x58 + regx); // POP regx } else if (xlocalsize) cod3_stackadj(cdbx, cast(int)-xlocalsize); } if (b.BC == BCret || b.BC == BCretexp) { Lret: opcode_t op = tyfarfunc(tym) ? 0xCA : 0xC2; if (tym == TYhfunc) { cdbx.genc2(0xC2,0,4); // RET 4 } else if (!typfunc(tym) || // if caller cleans the stack config.exe == EX_WIN64 || Para.offset == 0) // or nothing pushed on the stack anyway { op++; // to a regular RET cdbx.gen1(op); } else { // Stack is always aligned on register size boundary Para.offset = (Para.offset + (REGSIZE - 1)) & ~(REGSIZE - 1); if (Para.offset >= 0x10000) { /* POP REG ADD ESP, Para.offset JMP REG */ cdbx.gen1(0x58+regx); cdbx.genc2(0x81, modregrm(3,0,SP), Para.offset); if (I64) code_orrex(cdbx.last(), REX_W); cdbx.genc2(0xFF, modregrm(3,4,regx), 0); if (I64) code_orrex(cdbx.last(), REX_W); } else cdbx.genc2(op,0,Para.offset); // RET Para.offset } } Lopt: // If last instruction in ce is ADD SP,imm, and first instruction // in c sets SP, we can dump the ADD. CodeBuilder cdb; cdb.ctor(); cdb.append(b.Bcode); code *cr = cdb.last(); code *c = cdbx.peek(); if (cr && c && !I64) { if (cr.Iop == 0x81 && cr.Irm == modregrm(3,0,SP)) // if ADD SP,imm { if ( c.Iop == LEAVE || // LEAVE (c.Iop == 0x8B && c.Irm == modregrm(3,SP,BP)) || // MOV SP,BP (c.Iop == LEA && c.Irm == modregrm(1,SP,6)) // LEA SP,-imm[BP] ) cr.Iop = NOP; else if (c.Iop == 0x58 + BP) // if POP BP { cr.Iop = 0x8B; cr.Irm = modregrm(3,SP,BP); // MOV SP,BP } } else { static if (0) { // These optimizations don't work if the called function // cleans off the stack. if (c.Iop == 0xC3 && cr.Iop == CALL) // CALL near { cr.Iop = 0xE9; // JMP near c.Iop = NOP; } else if (c.Iop == 0xCB && cr.Iop == 0x9A) // CALL far { cr.Iop = 0xEA; // JMP far c.Iop = NOP; } } } } pinholeopt(c, null); retsize += calcblksize(c); // compute size of function epilog cdb.append(cdbx); b.Bcode = cdb.finish(); } /******************************* * Return offset of SP from BP. */ targ_size_t cod3_spoff() { //printf("spoff = x%x, localsize = x%x\n", (int)spoff, (int)localsize); return spoff + localsize; } void gen_spill_reg(ref CodeBuilder cdb, Symbol* s, bool toreg) { code cs; const regm_t keepmsk = toreg ? RMload : RMstore; elem* e = el_var(s); // so we can trick getlvalue() into working for us if (mask(s.Sreglsw) & XMMREGS) { // Convert to save/restore of XMM register if (toreg) cs.Iop = xmmload(s.Stype.Tty); // MOVSS/D xreg,mem else cs.Iop = xmmstore(s.Stype.Tty); // MOVSS/D mem,xreg getlvalue(cdb,&cs,e,keepmsk); cs.orReg(s.Sreglsw - XMM0); cdb.gen(&cs); } else { const int sz = cast(int)type_size(s.Stype); cs.Iop = toreg ? 0x8B : 0x89; // MOV reg,mem[ESP] : MOV mem[ESP],reg cs.Iop ^= (sz == 1); getlvalue(cdb,&cs,e,keepmsk); cs.orReg(s.Sreglsw); if (I64 && sz == 1 && s.Sreglsw >= 4) cs.Irex |= REX; if ((cs.Irm & 0xC0) == 0xC0 && // reg,reg (((cs.Irm >> 3) ^ cs.Irm) & 7) == 0 && // registers match (((cs.Irex >> 2) ^ cs.Irex) & 1) == 0) // REX_R and REX_B match { } // skip MOV reg,reg else cdb.gen(&cs); if (sz > REGSIZE) { cs.setReg(s.Sregmsw); getlvalue_msw(&cs); if ((cs.Irm & 0xC0) == 0xC0 && // reg,reg (((cs.Irm >> 3) ^ cs.Irm) & 7) == 0 && // registers match (((cs.Irex >> 2) ^ cs.Irex) & 1) == 0) // REX_R and REX_B match { } // skip MOV reg,reg else cdb.gen(&cs); } } el_free(e); } /**************************** * Generate code for, and output a thunk. * Params: * sthunk = Symbol of thunk * sfunc = Symbol of thunk's target function * thisty = Type of this pointer * p = ESP parameter offset to this pointer * d = offset to add to 'this' pointer * d2 = offset from 'this' to vptr * i = offset into vtbl[] */ void cod3_thunk(Symbol *sthunk,Symbol *sfunc,uint p,tym_t thisty, uint d,int i,uint d2) { targ_size_t thunkoffset; int seg = sthunk.Sseg; cod3_align(seg); // Skip over return address tym_t thunkty = tybasic(sthunk.ty()); if (tyfarfunc(thunkty)) p += I32 ? 8 : tysize(TYfptr); // far function else p += tysize(TYnptr); CodeBuilder cdb; cdb.ctor(); if (!I16) { /* Generate: ADD p[ESP],d For direct call: JMP sfunc For virtual call: MOV EAX, p[ESP] EAX = this MOV EAX, d2[EAX] EAX = this.vptr JMP i[EAX] jump to virtual function */ reg_t reg = 0; if (cast(int)d < 0) { d = -d; reg = 5; // switch from ADD to SUB } if (thunkty == TYmfunc) { // ADD ECX,d if (d) cdb.genc2(0x81,modregrm(3,reg,CX),d); } else if (thunkty == TYjfunc || (I64 && thunkty == TYnfunc)) { // ADD EAX,d int rm = AX; if (config.exe == EX_WIN64) rm = CX; else if (I64) rm = DI; if (d) cdb.genc2(0x81,modregrm(3,reg,rm),d); } else { cdb.genc(0x81,modregrm(2,reg,4), FLconst,p, // to this FLconst,d); // ADD p[ESP],d cdb.last().Isib = modregrm(0,4,SP); } if (I64 && cdb.peek()) cdb.last().Irex |= REX_W; } else { /* Generate: MOV BX,SP ADD [SS:] p[BX],d For direct call: JMP sfunc For virtual call: MOV BX, p[BX] BX = this MOV BX, d2[BX] BX = this.vptr JMP i[BX] jump to virtual function */ genregs(cdb,0x89,SP,BX); // MOV BX,SP cdb.genc(0x81,modregrm(2,0,7), FLconst,p, // to this FLconst,d); // ADD p[BX],d if (config.wflags & WFssneds || // If DS needs reloading from SS, // then assume SS != DS on thunk entry (LARGEDATA && config.wflags & WFss)) cdb.last().Iflags |= CFss; // SS: } if ((i & 0xFFFF) != 0xFFFF) // if virtual call { const bool FARTHIS = (tysize(thisty) > REGSIZE); const bool FARVPTR = FARTHIS; assert(thisty != TYvptr); // can't handle this case if (!I16) { assert(!FARTHIS && !LARGECODE); if (thunkty == TYmfunc) // if 'this' is in ECX { // MOV EAX,d2[ECX] cdb.genc1(0x8B,modregrm(2,AX,CX),FLconst,d2); } else if (thunkty == TYjfunc) // if 'this' is in EAX { // MOV EAX,d2[EAX] cdb.genc1(0x8B,modregrm(2,AX,AX),FLconst,d2); } else { // MOV EAX,p[ESP] cdb.genc1(0x8B,(modregrm(0,4,SP) << 8) | modregrm(2,AX,4),FLconst,cast(targ_uns) p); if (I64) cdb.last().Irex |= REX_W; // MOV EAX,d2[EAX] cdb.genc1(0x8B,modregrm(2,AX,AX),FLconst,d2); } if (I64) code_orrex(cdb.last(), REX_W); // JMP i[EAX] cdb.genc1(0xFF,modregrm(2,4,0),FLconst,cast(targ_uns) i); } else { // MOV/LES BX,[SS:] p[BX] cdb.genc1((FARTHIS ? 0xC4 : 0x8B),modregrm(2,BX,7),FLconst,cast(targ_uns) p); if (config.wflags & WFssneds || // If DS needs reloading from SS, // then assume SS != DS on thunk entry (LARGEDATA && config.wflags & WFss)) cdb.last().Iflags |= CFss; // SS: // MOV/LES BX,[ES:]d2[BX] cdb.genc1((FARVPTR ? 0xC4 : 0x8B),modregrm(2,BX,7),FLconst,d2); if (FARTHIS) cdb.last().Iflags |= CFes; // ES: // JMP i[BX] cdb.genc1(0xFF,modregrm(2,(LARGECODE ? 5 : 4),7),FLconst,cast(targ_uns) i); if (FARVPTR) cdb.last().Iflags |= CFes; // ES: } } else { static if (0) { localgot = null; // no local variables code *c1 = load_localgot(); if (c1) { assignaddrc(c1); cdb.append(c1); } } cdb.gencs((LARGECODE ? 0xEA : 0xE9),0,FLfunc,sfunc); // JMP sfunc cdb.last().Iflags |= LARGECODE ? (CFseg | CFoff) : (CFselfrel | CFoff); } thunkoffset = Offset(seg); code *c = cdb.finish(); pinholeopt(c,null); codout(seg,c); code_free(c); sthunk.Soffset = thunkoffset; sthunk.Ssize = Offset(seg) - thunkoffset; // size of thunk sthunk.Sseg = seg; static if (TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { objmod.pubdef(seg,sthunk,sthunk.Soffset); } static if (TARGET_WINDOS) { if (config.objfmt == OBJ_MSCOFF) objmod.pubdef(seg,sthunk,sthunk.Soffset); } searchfixlist(sthunk); // resolve forward refs } /***************************** * Assume symbol s is extern. */ void makeitextern(Symbol *s) { if (s.Sxtrnnum == 0) { s.Sclass = SCextern; /* external */ /*printf("makeitextern(x%x)\n",s);*/ objmod.external(s); } } /******************************* * Replace JMPs in Bgotocode with JMP SHORTs whereever possible. * This routine depends on FLcode jumps to only be forward * referenced. * BFLjmpoptdone is set to true if nothing more can be done * with this block. * Input: * flag !=0 means don't have correct Boffsets yet * Returns: * number of bytes saved */ int branch(block *bl,int flag) { int bytesaved; code* c,cn,ct; targ_size_t offset,disp; targ_size_t csize; if (!flag) bl.Bflags |= BFLjmpoptdone; // assume this will be all c = bl.Bcode; if (!c) return 0; bytesaved = 0; offset = bl.Boffset; /* offset of start of block */ while (1) { ubyte op; csize = calccodsize(c); cn = code_next(c); op = cast(ubyte)c.Iop; if ((op & ~0x0F) == 0x70 && c.Iflags & CFjmp16 || (op == JMP && !(c.Iflags & CFjmp5))) { L1: switch (c.IFL2) { case FLblock: if (flag) // no offsets yet, don't optimize goto L3; disp = c.IEV2.Vblock.Boffset - offset - csize; /* If this is a forward branch, and there is an aligned * block intervening, it is possible that shrinking * the jump instruction will cause it to be out of * range of the target. This happens if the alignment * prevents the target block from moving correspondingly * closer. */ if (disp >= 0x7F-4 && c.IEV2.Vblock.Boffset > offset) { /* Look for intervening alignment */ for (block *b = bl.Bnext; b; b = b.Bnext) { if (b.Balign) { bl.Bflags &= ~BFLjmpoptdone; // some JMPs left goto L3; } if (b == c.IEV2.Vblock) break; } } break; case FLcode: { code *cr; disp = 0; ct = c.IEV2.Vcode; /* target of branch */ assert(ct.Iflags & (CFtarg | CFtarg2)); for (cr = cn; cr; cr = code_next(cr)) { if (cr == ct) break; disp += calccodsize(cr); } if (!cr) { // Didn't find it in forward search. Try backwards jump int s = 0; disp = 0; for (cr = bl.Bcode; cr != cn; cr = code_next(cr)) { assert(cr != null); // must have found it if (cr == ct) s = 1; if (s) disp += calccodsize(cr); } } if (config.flags4 & CFG4optimized && !flag) { /* Propagate branch forward past junk */ while (1) { if (ct.Iop == NOP || ct.Iop == (ESCAPE | ESClinnum)) { ct = code_next(ct); if (!ct) goto L2; } else { c.IEV2.Vcode = ct; ct.Iflags |= CFtarg; break; } } /* And eliminate jmps to jmps */ if ((op == ct.Iop || ct.Iop == JMP) && (op == JMP || c.Iflags & CFjmp16)) { c.IFL2 = ct.IFL2; c.IEV2.Vcode = ct.IEV2.Vcode; /*printf("eliminating branch\n");*/ goto L1; } L2: { } } } break; default: goto L3; } if (disp == 0) // bra to next instruction { bytesaved += csize; c.Iop = NOP; // del branch instruction c.IEV2.Vcode = null; c = cn; if (!c) break; continue; } else if (cast(targ_size_t)cast(targ_schar)(disp - 2) == (disp - 2) && cast(targ_size_t)cast(targ_schar)disp == disp) { if (op == JMP) { c.Iop = JMPS; // JMP SHORT bytesaved += I16 ? 1 : 3; } else // else Jcond { c.Iflags &= ~CFjmp16; // a branch is ok bytesaved += I16 ? 3 : 4; // Replace a cond jump around a call to a function that // never returns with a cond jump to that function. if (config.flags4 & CFG4optimized && config.target_cpu >= TARGET_80386 && disp == (I16 ? 3 : 5) && cn && cn.Iop == CALL && cn.IFL2 == FLfunc && cn.IEV2.Vsym.Sflags & SFLexit && !(cn.Iflags & (CFtarg | CFtarg2)) ) { cn.Iop = 0x0F00 | ((c.Iop & 0x0F) ^ 0x81); c.Iop = NOP; c.IEV2.Vcode = null; bytesaved++; // If nobody else points to ct, we can remove the CFtarg if (flag && ct) { code *cx; for (cx = bl.Bcode; 1; cx = code_next(cx)) { if (!cx) { ct.Iflags &= ~CFtarg; break; } if (cx.IEV2.Vcode == ct) break; } } } } csize = calccodsize(c); } else bl.Bflags &= ~BFLjmpoptdone; // some JMPs left } L3: if (cn) { offset += csize; c = cn; } else break; } //printf("bytesaved = x%x\n",bytesaved); return bytesaved; } /************************************************ * Adjust all Soffset's of stack variables so they * are all relative to the frame pointer. */ version (MARS) { void cod3_adjSymOffsets() { SYMIDX si; //printf("cod3_adjSymOffsets()\n"); for (si = 0; si < globsym.top; si++) { //printf("\tglobsym.tab[%d] = %p\n",si,globsym.tab[si]); Symbol *s = globsym.tab[si]; switch (s.Sclass) { case SCparameter: case SCregpar: case SCshadowreg: //printf("s = '%s', Soffset = x%x, Para.size = x%x, EBPtoESP = x%x\n", s.Sident, s.Soffset, Para.size, EBPtoESP); s.Soffset += Para.size; if (0 && !(funcsym_p.Sfunc.Fflags3 & Fmember)) { if (!hasframe) s.Soffset += EBPtoESP; if (funcsym_p.Sfunc.Fflags3 & Fnested) s.Soffset += REGSIZE; } break; case SCfastpar: //printf("\tfastpar %s %p Soffset %x Fast.size %x BPoff %x\n", s.Sident, s, (int)s.Soffset, (int)Fast.size, (int)BPoff); s.Soffset += Fast.size + BPoff; break; case SCauto: case SCregister: if (s.Sfl == FLfast) s.Soffset += Fast.size + BPoff; else //printf("s = '%s', Soffset = x%x, Auto.size = x%x, BPoff = x%x EBPtoESP = x%x\n", s.Sident, (int)s.Soffset, (int)Auto.size, (int)BPoff, (int)EBPtoESP); // if (!(funcsym_p.Sfunc.Fflags3 & Fnested)) s.Soffset += Auto.size + BPoff; break; case SCbprel: break; default: continue; } static if (0) { if (!hasframe) s.Soffset += EBPtoESP; } } } } /******************************* * Take symbol info in union ev and replace it with a real address * in Vpointer. */ void assignaddr(block *bl) { int EBPtoESPsave = EBPtoESP; int hasframesave = hasframe; if (bl.Bflags & BFLoutsideprolog) { EBPtoESP = -REGSIZE; hasframe = 0; } assignaddrc(bl.Bcode); hasframe = hasframesave; EBPtoESP = EBPtoESPsave; } void assignaddrc(code *c) { int sn; Symbol *s; ubyte ins,rm; targ_size_t soff; targ_size_t base; base = EBPtoESP; for (; c; c = code_next(c)) { debug { if (0) { printf("assignaddrc()\n"); code_print(c); } if (code_next(c) && code_next(code_next(c)) == c) assert(0); } if (c.Iflags & CFvex && c.Ivex.pfx == 0xC4) ins = vex_inssize(c); else if ((c.Iop & 0xFFFD00) == 0x0F3800) ins = inssize2[(c.Iop >> 8) & 0xFF]; else if ((c.Iop & 0xFF00) == 0x0F00) ins = inssize2[c.Iop & 0xFF]; else if ((c.Iop & 0xFF) == ESCAPE) { if (c.Iop == (ESCAPE | ESCadjesp)) { //printf("adjusting EBPtoESP (%d) by %ld\n",EBPtoESP,(long)c.IEV1.Vint); EBPtoESP += c.IEV1.Vint; c.Iop = NOP; } else if (c.Iop == (ESCAPE | ESCfixesp)) { //printf("fix ESP\n"); if (hasframe) { // LEA ESP,-EBPtoESP[EBP] c.Iop = LEA; if (c.Irm & 8) c.Irex |= REX_R; c.Irm = modregrm(2,SP,BP); c.Iflags = CFoff; c.IFL1 = FLconst; c.IEV1.Vuns = -EBPtoESP; if (enforcealign) { // AND ESP, -STACKALIGN code *cn = code_calloc(); cn.Iop = 0x81; cn.Irm = modregrm(3, 4, SP); cn.Iflags = CFoff; cn.IFL2 = FLconst; cn.IEV2.Vsize_t = -STACKALIGN; if (I64) c.Irex |= REX_W; cn.next = c.next; c.next = cn; } } } else if (c.Iop == (ESCAPE | ESCframeptr)) { // Convert to load of frame pointer // c.Irm is the register to use if (hasframe && !enforcealign) { // MOV reg,EBP c.Iop = 0x89; if (c.Irm & 8) c.Irex |= REX_B; c.Irm = modregrm(3,BP,c.Irm & 7); } else { // LEA reg,EBPtoESP[ESP] c.Iop = LEA; if (c.Irm & 8) c.Irex |= REX_R; c.Irm = modregrm(2,c.Irm & 7,4); c.Isib = modregrm(0,4,SP); c.Iflags = CFoff; c.IFL1 = FLconst; c.IEV1.Vuns = EBPtoESP; } } if (I64) c.Irex |= REX_W; continue; } else ins = inssize[c.Iop & 0xFF]; if (!(ins & M) || ((rm = c.Irm) & 0xC0) == 0xC0) goto do2; /* if no first operand */ if (is32bitaddr(I32,c.Iflags)) { if ( ((rm & 0xC0) == 0 && !((rm & 7) == 4 && (c.Isib & 7) == 5 || (rm & 7) == 5)) ) goto do2; /* if no first operand */ } else { if ( ((rm & 0xC0) == 0 && !((rm & 7) == 6)) ) goto do2; /* if no first operand */ } s = c.IEV1.Vsym; switch (c.IFL1) { case FLdata: if (config.objfmt == OBJ_OMF && s.Sclass != SCcomdat) { version (MARS) { c.IEV1.Vseg = s.Sseg; } else { c.IEV1.Vseg = DATA; } c.IEV1.Vpointer += s.Soffset; c.IFL1 = FLdatseg; } else c.IFL1 = FLextern; goto do2; case FLudata: if (config.objfmt == OBJ_OMF) { version (MARS) { c.IEV1.Vseg = s.Sseg; } else { c.IEV1.Vseg = UDATA; } c.IEV1.Vpointer += s.Soffset; c.IFL1 = FLdatseg; } else c.IFL1 = FLextern; goto do2; case FLtlsdata: if (config.objfmt == OBJ_ELF || config.objfmt == OBJ_MACH) c.IFL1 = FLextern; goto do2; case FLdatseg: //c.IEV1.Vseg = DATA; goto do2; case FLfardata: case FLcsdata: case FLpseudo: goto do2; case FLstack: //printf("Soffset = %d, EBPtoESP = %d, base = %d, pointer = %d\n", //s.Soffset,EBPtoESP,base,c.IEV1.Vpointer); c.IEV1.Vpointer += s.Soffset + EBPtoESP - base - EEStack.offset; break; case FLfast: soff = Fast.size; goto L1; case FLreg: case FLauto: soff = Auto.size; L1: if (Symbol_Sisdead(s, anyiasm)) { c.Iop = NOP; // remove references to it continue; } if (s.Sfl == FLreg && c.IEV1.Vpointer < 2) { reg_t reg = s.Sreglsw; assert(!(s.Sregm & ~mask(reg))); if (c.IEV1.Vpointer == 1) { assert(reg < 4); /* must be a BYTEREGS */ reg |= 4; /* convert to high byte reg */ } if (reg & 8) { assert(I64); c.Irex |= REX_B; reg &= 7; } c.Irm = (c.Irm & modregrm(0,7,0)) | modregrm(3,0,reg); assert(c.Iop != LES && c.Iop != LEA); goto do2; } else { c.IEV1.Vpointer += s.Soffset + soff + BPoff; if (s.Sflags & SFLunambig) c.Iflags |= CFunambig; L2: if (!hasframe || (enforcealign && c.IFL1 != FLpara)) { /* Convert to ESP relative address instead of EBP */ assert(!I16); c.IEV1.Vpointer += EBPtoESP; ubyte crm = c.Irm; if ((crm & 7) == 4) // if SIB byte { assert((c.Isib & 7) == BP); assert((crm & 0xC0) != 0); c.Isib = (c.Isib & ~7) | modregrm(0,0,SP); } else { assert((crm & 7) == 5); c.Irm = (crm & modregrm(0,7,0)) | modregrm(2,0,4); c.Isib = modregrm(0,4,SP); } } } break; case FLpara: soff = Para.size - BPoff; // cancel out add of BPoff goto L1; case FLfltreg: c.IEV1.Vpointer += Foff + BPoff; c.Iflags |= CFunambig; goto L2; case FLallocatmp: c.IEV1.Vpointer += Alloca.offset + BPoff; goto L2; case FLfuncarg: c.IEV1.Vpointer += cgstate.funcarg.offset + BPoff; goto L2; case FLbprel: c.IEV1.Vpointer += s.Soffset; break; case FLcs: sn = c.IEV1.Vuns; if (!CSE.loaded(sn)) // if never loaded { c.Iop = NOP; continue; } c.IEV1.Vpointer = CSE.offset(sn) + CSoff + BPoff; c.Iflags |= CFunambig; goto L2; case FLregsave: sn = c.IEV1.Vuns; c.IEV1.Vpointer = sn + regsave.off + BPoff; c.Iflags |= CFunambig; goto L2; case FLndp: version (MARS) { assert(c.IEV1.Vuns < global87.save.length); } c.IEV1.Vpointer = c.IEV1.Vuns * tysize(TYldouble) + NDPoff + BPoff; c.Iflags |= CFunambig; goto L2; case FLoffset: break; case FLlocalsize: c.IEV1.Vpointer += localsize; break; case FLconst: default: goto do2; } c.IFL1 = FLconst; do2: /* Ignore TEST (F6 and F7) opcodes */ if (!(ins & T)) goto done; /* if no second operand */ s = c.IEV2.Vsym; switch (c.IFL2) { case FLdata: if (config.objfmt == OBJ_ELF || config.objfmt == OBJ_MACH) { c.IFL2 = FLextern; goto do2; } else { if (s.Sclass == SCcomdat) { c.IFL2 = FLextern; goto do2; } c.IEV2.Vseg = MARS ? s.Sseg : DATA; c.IEV2.Vpointer += s.Soffset; c.IFL2 = FLdatseg; goto done; } case FLudata: if (config.objfmt == OBJ_ELF || config.objfmt == OBJ_MACH) { c.IFL2 = FLextern; goto do2; } else { c.IEV2.Vseg = MARS ? s.Sseg : UDATA; c.IEV2.Vpointer += s.Soffset; c.IFL2 = FLdatseg; goto done; } case FLtlsdata: if (config.objfmt == OBJ_ELF || config.objfmt == OBJ_MACH) { c.IFL2 = FLextern; goto do2; } goto done; case FLdatseg: //c.IEV2.Vseg = DATA; goto done; case FLcsdata: case FLfardata: goto done; case FLreg: case FLpseudo: assert(0); /* NOTREACHED */ case FLfast: c.IEV2.Vpointer += s.Soffset + Fast.size + BPoff; break; case FLauto: c.IEV2.Vpointer += s.Soffset + Auto.size + BPoff; L3: if (!hasframe || (enforcealign && c.IFL2 != FLpara)) /* Convert to ESP relative address instead of EBP */ c.IEV2.Vpointer += EBPtoESP; break; case FLpara: c.IEV2.Vpointer += s.Soffset + Para.size; goto L3; case FLfltreg: c.IEV2.Vpointer += Foff + BPoff; goto L3; case FLallocatmp: c.IEV2.Vpointer += Alloca.offset + BPoff; goto L3; case FLfuncarg: c.IEV2.Vpointer += cgstate.funcarg.offset + BPoff; goto L3; case FLbprel: c.IEV2.Vpointer += s.Soffset; break; case FLstack: c.IEV2.Vpointer += s.Soffset + EBPtoESP - base; break; case FLcs: case FLndp: case FLregsave: assert(0); case FLconst: break; case FLlocalsize: c.IEV2.Vpointer += localsize; break; default: goto done; } c.IFL2 = FLconst; done: { } } } /******************************* * Return offset from BP of symbol s. */ targ_size_t cod3_bpoffset(Symbol *s) { targ_size_t offset; symbol_debug(s); offset = s.Soffset; switch (s.Sfl) { case FLpara: offset += Para.size; break; case FLfast: offset += Fast.size + BPoff; break; case FLauto: offset += Auto.size + BPoff; break; default: WRFL(cast(FL)s.Sfl); symbol_print(s); assert(0); } assert(hasframe); return offset; } /******************************* * Find shorter versions of the same instructions. * Does these optimizations: * replaces jmps to the next instruction with NOPs * sign extension of modregrm displacement * sign extension of immediate data (can't do it for OR, AND, XOR * as the opcodes are not defined) * short versions for AX EA * short versions for reg EA * Code is neither removed nor added. * Params: * b = block for code (or null) * c = code list to optimize */ void pinholeopt(code *c,block *b) { targ_size_t a; uint mod; ubyte ins; int usespace; int useopsize; int space; block *bn; debug { __gshared int tested; if (!tested) { tested++; pinholeopt_unittest(); } } debug { code *cstart = c; if (debugc) { printf("+pinholeopt(%p)\n",c); } } if (b) { bn = b.Bnext; usespace = (config.flags4 & CFG4space && b.BC != BCasm); useopsize = (I16 || (config.flags4 & CFG4space && b.BC != BCasm)); } else { bn = null; usespace = (config.flags4 & CFG4space); useopsize = (I16 || config.flags4 & CFG4space); } for (; c; c = code_next(c)) { L1: opcode_t op = c.Iop; if (c.Iflags & CFvex && c.Ivex.pfx == 0xC4) ins = vex_inssize(c); else if ((op & 0xFFFD00) == 0x0F3800) ins = inssize2[(op >> 8) & 0xFF]; else if ((op & 0xFF00) == 0x0F00) ins = inssize2[op & 0xFF]; else ins = inssize[op & 0xFF]; if (ins & M) // if modregrm byte { int shortop = (c.Iflags & CFopsize) ? !I16 : I16; int local_BPRM = BPRM; if (c.Iflags & CFaddrsize) local_BPRM ^= 5 ^ 6; // toggle between 5 and 6 uint rm = c.Irm; reg_t reg = rm & modregrm(0,7,0); // isolate reg field reg_t ereg = rm & 7; //printf("c = %p, op = %02x rm = %02x\n", c, op, rm); /* If immediate second operand */ if ((ins & T || ((op == 0xF6 || op == 0xF7) && (reg < modregrm(0,2,0) || reg > modregrm(0,3,0))) ) && c.IFL2 == FLconst) { int flags = c.Iflags & CFpsw; /* if want result in flags */ targ_long u = c.IEV2.Vuns; if (ins & E) u = cast(byte) u; else if (shortop) u = cast(short) u; // Replace CMP reg,0 with TEST reg,reg if ((op & 0xFE) == 0x80 && // 80 is CMP R8,imm8; 81 is CMP reg,imm rm >= modregrm(3,7,AX) && u == 0) { c.Iop = (op & 1) | 0x84; c.Irm = modregrm(3,ereg,ereg); if (c.Irex & REX_B) c.Irex |= REX_R; goto L1; } /* Optimize ANDs with an immediate constant */ if ((op == 0x81 || op == 0x80) && reg == modregrm(0,4,0)) { if (rm >= modregrm(3,4,AX)) // AND reg,imm { if (u == 0) { /* Replace with XOR reg,reg */ c.Iop = 0x30 | (op & 1); c.Irm = modregrm(3,ereg,ereg); if (c.Irex & REX_B) c.Irex |= REX_R; goto L1; } if (u == 0xFFFFFFFF && !flags) { c.Iop = NOP; goto L1; } } if (op == 0x81 && !flags) { // If we can do the operation in one byte // If EA is not SI or DI if ((rm < modregrm(3,4,SP) || I64) && (config.flags4 & CFG4space || config.target_cpu < TARGET_PentiumPro) ) { if ((u & 0xFFFFFF00) == 0xFFFFFF00) goto L2; else if (rm < modregrm(3,0,0) || (!c.Irex && ereg < 4)) { if (!shortop) { if ((u & 0xFFFF00FF) == 0xFFFF00FF) goto L3; } else { if ((u & 0xFF) == 0xFF) goto L3; } } } if (!shortop && useopsize) { if ((u & 0xFFFF0000) == 0xFFFF0000) { c.Iflags ^= CFopsize; goto L1; } if ((u & 0xFFFF) == 0xFFFF && rm < modregrm(3,4,AX)) { c.IEV1.Voffset += 2; /* address MSW */ c.IEV2.Vuns >>= 16; c.Iflags ^= CFopsize; goto L1; } if (rm >= modregrm(3,4,AX)) { if (u == 0xFF && (rm <= modregrm(3,4,BX) || I64)) { c.Iop = MOVZXb; // MOVZX c.Irm = modregrm(3,ereg,ereg); if (c.Irex & REX_B) c.Irex |= REX_R; goto L1; } if (u == 0xFFFF) { c.Iop = MOVZXw; // MOVZX c.Irm = modregrm(3,ereg,ereg); if (c.Irex & REX_B) c.Irex |= REX_R; goto L1; } } } } } /* Look for ADD,OR,SUB,XOR with u that we can eliminate */ if (!flags && (op == 0x81 || op == 0x80) && (reg == modregrm(0,0,0) || reg == modregrm(0,1,0) || // ADD,OR reg == modregrm(0,5,0) || reg == modregrm(0,6,0)) // SUB, XOR ) { if (u == 0) { c.Iop = NOP; goto L1; } if (u == ~0 && reg == modregrm(0,6,0)) /* XOR */ { c.Iop = 0xF6 | (op & 1); /* NOT */ c.Irm ^= modregrm(0,6^2,0); goto L1; } if (!shortop && useopsize && op == 0x81 && (u & 0xFFFF0000) == 0 && (reg == modregrm(0,6,0) || reg == modregrm(0,1,0))) { c.Iflags ^= CFopsize; goto L1; } } /* Look for TEST or OR or XOR with an immediate constant */ /* that we can replace with a byte operation */ if (op == 0xF7 && reg == modregrm(0,0,0) || op == 0x81 && reg == modregrm(0,6,0) && !flags || op == 0x81 && reg == modregrm(0,1,0)) { // See if we can replace a dword with a word // (avoid for 32 bit instructions, because CFopsize // is too slow) if (!shortop && useopsize) { if ((u & 0xFFFF0000) == 0) { c.Iflags ^= CFopsize; goto L1; } /* If memory (not register) addressing mode */ if ((u & 0xFFFF) == 0 && rm < modregrm(3,0,AX)) { c.IEV1.Voffset += 2; /* address MSW */ c.IEV2.Vuns >>= 16; c.Iflags ^= CFopsize; goto L1; } } // If EA is not SI or DI if (rm < (modregrm(3,0,SP) | reg) && (usespace || config.target_cpu < TARGET_PentiumPro) ) { if ((u & 0xFFFFFF00) == 0) { L2: c.Iop--; /* to byte instruction */ c.Iflags &= ~CFopsize; goto L1; } if (((u & 0xFFFF00FF) == 0 || (shortop && (u & 0xFF) == 0)) && (rm < modregrm(3,0,0) || (!c.Irex && ereg < 4))) { L3: c.IEV2.Vuns >>= 8; if (rm >= (modregrm(3,0,AX) | reg)) c.Irm |= 4; /* AX.AH, BX.BH, etc. */ else c.IEV1.Voffset += 1; goto L2; } } // BUG: which is right? //else if ((u & 0xFFFF0000) == 0) else if (0 && op == 0xF7 && rm >= modregrm(3,0,SP) && (u & 0xFFFF0000) == 0) c.Iflags &= ~CFopsize; } // Try to replace TEST reg,-1 with TEST reg,reg if (op == 0xF6 && rm >= modregrm(3,0,AX) && rm <= modregrm(3,0,7)) // TEST regL,immed8 { if ((u & 0xFF) == 0xFF) { L4: c.Iop = 0x84; // TEST regL,regL c.Irm = modregrm(3,ereg,ereg); if (c.Irex & REX_B) c.Irex |= REX_R; c.Iflags &= ~CFopsize; goto L1; } } if (op == 0xF7 && rm >= modregrm(3,0,AX) && rm <= modregrm(3,0,7) && (I64 || ereg < 4)) { if (u == 0xFF) { if (ereg & 4) // SIL,DIL,BPL,SPL need REX prefix c.Irex |= REX; goto L4; } if ((u & 0xFFFF) == 0xFF00 && shortop && !c.Irex && ereg < 4) { ereg |= 4; /* to regH */ goto L4; } } /* Look for sign extended immediate data */ if (cast(byte) u == u) { if (op == 0x81) { if (reg != 0x08 && reg != 0x20 && reg != 0x30) c.Iop = op = 0x83; /* 8 bit sgn ext */ } else if (op == 0x69) /* IMUL rw,ew,dw */ c.Iop = op = 0x6B; /* IMUL rw,ew,db */ } // Look for SHIFT EA,imm8 we can replace with short form if (u == 1 && ((op & 0xFE) == 0xC0)) c.Iop |= 0xD0; } /* if immediate second operand */ /* Look for AX short form */ if (ins & A) { if (rm == modregrm(0,AX,local_BPRM) && !(c.Irex & REX_R) && // and it's AX, not R8 (op & ~3) == 0x88 && !I64) { op = ((op & 3) + 0xA0) ^ 2; /* 8A. A0 */ /* 8B. A1 */ /* 88. A2 */ /* 89. A3 */ c.Iop = op; c.IFL2 = c.IFL1; c.IEV2 = c.IEV1; } /* Replace MOV REG1,REG2 with MOV EREG1,EREG2 */ else if (!I16 && (op == 0x89 || op == 0x8B) && (rm & 0xC0) == 0xC0 && (!b || b.BC != BCasm) ) c.Iflags &= ~CFopsize; // If rm is AX else if ((rm & modregrm(3,0,7)) == modregrm(3,0,AX) && !(c.Irex & (REX_R | REX_B))) { switch (op) { case 0x80: op = reg | 4; break; case 0x81: op = reg | 5; break; case 0x87: op = 0x90 + (reg>>3); break; // XCHG case 0xF6: if (reg == 0) op = 0xA8; /* TEST AL,immed8 */ break; case 0xF7: if (reg == 0) op = 0xA9; /* TEST AX,immed16 */ break; default: break; } c.Iop = op; } } /* Look for reg short form */ if ((ins & R) && (rm & 0xC0) == 0xC0) { switch (op) { case 0xC6: op = 0xB0 + ereg; break; case 0xC7: // if no sign extension if (!(c.Irex & REX_W && c.IEV2.Vint < 0)) { c.Irm = 0; c.Irex &= ~REX_W; op = 0xB8 + ereg; } break; case 0xFF: switch (reg) { case 6<<3: op = 0x50+ereg; break;/* PUSH*/ case 0<<3: if (!I64) op = 0x40+ereg; break; /* INC*/ case 1<<3: if (!I64) op = 0x48+ereg; break; /* DEC*/ default: break; } break; case 0x8F: op = 0x58 + ereg; break; case 0x87: if (reg == 0 && !(c.Irex & (REX_R | REX_B))) // Issue 12968: Needed to ensure it's referencing RAX, not R8 op = 0x90 + ereg; break; default: break; } c.Iop = op; } // Look to remove redundant REX prefix on XOR if (c.Irex == REX_W // ignore ops involving R8..R15 && (op == 0x31 || op == 0x33) // XOR && ((rm & 0xC0) == 0xC0) // register direct && ((reg >> 3) == ereg)) // register with itself { c.Irex = 0; } // Look to replace SHL reg,1 with ADD reg,reg if ((op & ~1) == 0xD0 && (rm & modregrm(3,7,0)) == modregrm(3,4,0) && config.target_cpu >= TARGET_80486) { c.Iop &= 1; c.Irm = cast(ubyte)((rm & modregrm(3,0,7)) | (ereg << 3)); if (c.Irex & REX_B) c.Irex |= REX_R; if (!(c.Iflags & CFpsw) && !I16) c.Iflags &= ~CFopsize; goto L1; } /* Look for sign extended modregrm displacement, or 0 * displacement. */ if (((rm & 0xC0) == 0x80) && // it's a 16/32 bit disp c.IFL1 == FLconst) // and it's a constant { a = c.IEV1.Vpointer; if (a == 0 && (rm & 7) != local_BPRM && // if 0[disp] !(local_BPRM == 5 && (rm & 7) == 4 && (c.Isib & 7) == BP) ) c.Irm &= 0x3F; else if (!I16) { if (cast(targ_size_t)cast(targ_schar)a == a) c.Irm ^= 0xC0; /* do 8 sx */ } else if ((cast(targ_size_t)cast(targ_schar)a & 0xFFFF) == (a & 0xFFFF)) c.Irm ^= 0xC0; /* do 8 sx */ } /* Look for LEA reg,[ireg], replace with MOV reg,ireg */ if (op == LEA) { rm = c.Irm & 7; mod = c.Irm & modregrm(3,0,0); if (mod == 0) { if (!I16) { switch (rm) { case 4: case 5: break; default: c.Irm |= modregrm(3,0,0); c.Iop = 0x8B; break; } } else { switch (rm) { case 4: rm = modregrm(3,0,SI); goto L6; case 5: rm = modregrm(3,0,DI); goto L6; case 7: rm = modregrm(3,0,BX); goto L6; L6: c.Irm = cast(ubyte)(rm + reg); c.Iop = 0x8B; break; default: break; } } } /* replace LEA reg,0[BP] with MOV reg,BP */ else if (mod == modregrm(1,0,0) && rm == local_BPRM && c.IFL1 == FLconst && c.IEV1.Vpointer == 0) { c.Iop = 0x8B; /* MOV reg,BP */ c.Irm = cast(ubyte)(modregrm(3,0,BP) + reg); } } // Replace [R13] with 0[R13] if (c.Irex & REX_B && ((c.Irm & modregrm(3,0,7)) == modregrm(0,0,BP) || issib(c.Irm) && (c.Irm & modregrm(3,0,0)) == 0 && (c.Isib & 7) == BP)) { c.Irm |= modregrm(1,0,0); c.IFL1 = FLconst; c.IEV1.Vpointer = 0; } } else if (!(c.Iflags & CFvex)) { switch (op) { default: // Look for MOV r64, immediate if ((c.Irex & REX_W) && (op & ~7) == 0xB8) { /* Look for zero extended immediate data */ if (c.IEV2.Vsize_t == c.IEV2.Vuns) { c.Irex &= ~REX_W; } /* Look for sign extended immediate data */ else if (c.IEV2.Vsize_t == c.IEV2.Vint) { c.Irm = modregrm(3,0,op & 7); c.Iop = op = 0xC7; c.IEV2.Vsize_t = c.IEV2.Vuns; } } if ((op & ~0x0F) != 0x70) break; goto case JMP; case JMP: switch (c.IFL2) { case FLcode: if (c.IEV2.Vcode == code_next(c)) { c.Iop = NOP; continue; } break; case FLblock: if (!code_next(c) && c.IEV2.Vblock == bn) { c.Iop = NOP; continue; } break; case FLconst: case FLfunc: case FLextern: break; default: WRFL(cast(FL)c.IFL2); assert(0); } break; case 0x68: // PUSH immed16 if (c.IFL2 == FLconst) { targ_long u = c.IEV2.Vuns; if (I64 || ((c.Iflags & CFopsize) ? I16 : I32)) { // PUSH 32/64 bit operand if (u == cast(byte) u) c.Iop = 0x6A; // PUSH immed8 } else // PUSH 16 bit operand { if (cast(short)u == cast(byte) u) c.Iop = 0x6A; // PUSH immed8 } } break; } } } debug if (debugc) { printf("-pinholeopt(%p)\n",cstart); for (c = cstart; c; c = code_next(c)) code_print(c); } } debug { private void pinholeopt_unittest() { //printf("pinholeopt_unittest()\n"); static struct CS { uint model,op,ea; targ_size_t ev1,ev2; uint flags; } __gshared CS[2][22] tests = [ // XOR reg,immed NOT regL [ { 16,0x81,modregrm(3,6,BX),0,0xFF,0 }, { 0,0xF6,modregrm(3,2,BX),0,0xFF } ], // MOV 0[BX],3 MOV [BX],3 [ { 16,0xC7,modregrm(2,0,7),0,3 }, { 0,0xC7,modregrm(0,0,7),0,3 } ], /+ // only if config.flags4 & CFG4space // TEST regL,immed8 [ { 0,0xF6,modregrm(3,0,BX),0,0xFF,0 }, { 0,0x84,modregrm(3,BX,BX),0,0xFF }], [ { 0,0xF7,modregrm(3,0,BX),0,0xFF,0 }, { 0,0x84,modregrm(3,BX,BX),0,0xFF }], [ { 64,0xF6,modregrmx(3,0,R8),0,0xFF,0 }, { 0,0x84,modregxrmx(3,R8,R8),0,0xFF }], [ { 64,0xF7,modregrmx(3,0,R8),0,0xFF,0 }, { 0,0x84,modregxrmx(3,R8,R8),0,0xFF }], +/ // PUSH immed => PUSH immed8 [ { 0,0x68,0,0,0 }, { 0,0x6A,0,0,0 }], [ { 0,0x68,0,0,0x7F }, { 0,0x6A,0,0,0x7F }], [ { 0,0x68,0,0,0x80 }, { 0,0x68,0,0,0x80 }], [ { 16,0x68,0,0,0,CFopsize }, { 0,0x6A,0,0,0,CFopsize }], [ { 16,0x68,0,0,0x7F,CFopsize }, { 0,0x6A,0,0,0x7F,CFopsize }], [ { 16,0x68,0,0,0x80,CFopsize }, { 0,0x68,0,0,0x80,CFopsize }], [ { 16,0x68,0,0,0x10000,0 }, { 0,0x6A,0,0,0x10000,0 }], [ { 16,0x68,0,0,0x10000,CFopsize }, { 0,0x68,0,0,0x10000,CFopsize }], [ { 32,0x68,0,0,0,CFopsize }, { 0,0x6A,0,0,0,CFopsize }], [ { 32,0x68,0,0,0x7F,CFopsize }, { 0,0x6A,0,0,0x7F,CFopsize }], [ { 32,0x68,0,0,0x80,CFopsize }, { 0,0x68,0,0,0x80,CFopsize }], [ { 32,0x68,0,0,0x10000,CFopsize }, { 0,0x6A,0,0,0x10000,CFopsize }], [ { 32,0x68,0,0,0x8000,CFopsize }, { 0,0x68,0,0,0x8000,CFopsize }], // clear r64, for r64 != R8..R15 [ { 64,0x31,0x800C0,0,0,0 }, { 0,0x31,0xC0,0,0,0}], [ { 64,0x33,0x800C0,0,0,0 }, { 0,0x33,0xC0,0,0,0}], // MOV r64, immed [ { 64,0xC7,0x800C0,0,0xFFFFFFFF,0 }, { 0,0xC7,0x800C0,0,0xFFFFFFFF,0}], [ { 64,0xC7,0x800C0,0,0x7FFFFFFF,0 }, { 0,0xB8,0,0,0x7FFFFFFF,0}], [ { 64,0xB8,0x80000,0,0xFFFFFFFF,0 }, { 0,0xB8,0,0,0xFFFFFFFF,0 }], [ { 64,0xB8,0x80000,0,cast(targ_size_t)0x1FFFFFFFF,0 }, { 0,0xB8,0x80000,0,cast(targ_size_t)0x1FFFFFFFF,0 }], [ { 64,0xB8,0x80000,0,cast(targ_size_t)0xFFFFFFFFFFFFFFFF,0 }, { 0,0xC7,0x800C0,0,cast(targ_size_t)0xFFFFFFFF,0}], ]; //config.flags4 |= CFG4space; for (int i = 0; i < tests.length; i++) { CS *pin = &tests[i][0]; CS *pout = &tests[i][1]; code cs = void; memset(&cs, 0, cs.sizeof); if (pin.model) { if (I16 && pin.model != 16) continue; if (I32 && pin.model != 32) continue; if (I64 && pin.model != 64) continue; } //printf("[%d]\n", i); cs.Iop = pin.op; cs.Iea = pin.ea; cs.IFL1 = FLconst; cs.IFL2 = FLconst; cs.IEV1.Vsize_t = pin.ev1; cs.IEV2.Vsize_t = pin.ev2; cs.Iflags = pin.flags; pinholeopt(&cs, null); if (cs.Iop != pout.op) { printf("[%d] Iop = x%02x, pout = x%02x\n", i, cs.Iop, pout.op); assert(0); } assert(cs.Iea == pout.ea); assert(cs.IEV1.Vsize_t == pout.ev1); assert(cs.IEV2.Vsize_t == pout.ev2); assert(cs.Iflags == pout.flags); } } } void simplify_code(code* c) { reg_t reg; if (config.flags4 & CFG4optimized && (c.Iop == 0x81 || c.Iop == 0x80) && c.IFL2 == FLconst && reghasvalue((c.Iop == 0x80) ? BYTEREGS : ALLREGS,I64 ? c.IEV2.Vsize_t : c.IEV2.Vlong,&reg) && !(I16 && c.Iflags & CFopsize) ) { // See if we can replace immediate instruction with register instruction static immutable ubyte[8] regop = [ 0x00,0x08,0x10,0x18,0x20,0x28,0x30,0x38 ]; //printf("replacing 0x%02x, val = x%lx\n",c.Iop,c.IEV2.Vlong); c.Iop = regop[(c.Irm & modregrm(0,7,0)) >> 3] | (c.Iop & 1); code_newreg(c, reg); if (I64 && !(c.Iop & 1) && (reg & 4)) c.Irex |= REX; } } /************************** * Compute jump addresses for FLcode. * Note: only works for forward referenced code. * only direct jumps and branches are detected. * LOOP instructions only work for backward refs. */ void jmpaddr(code *c) { code* ci,cn,ctarg,cstart; targ_size_t ad; //printf("jmpaddr()\n"); cstart = c; /* remember start of code */ while (c) { const op = c.Iop; if (op <= 0xEB && inssize[op] & T && // if second operand c.IFL2 == FLcode && ((op & ~0x0F) == 0x70 || op == JMP || op == JMPS || op == JCXZ || op == CALL)) { ci = code_next(c); ctarg = c.IEV2.Vcode; /* target code */ ad = 0; /* IP displacement */ while (ci && ci != ctarg) { ad += calccodsize(ci); ci = code_next(ci); } if (!ci) goto Lbackjmp; // couldn't find it if (!I16 || op == JMP || op == JMPS || op == JCXZ || op == CALL) c.IEV2.Vpointer = ad; else /* else conditional */ { if (!(c.Iflags & CFjmp16)) /* if branch */ c.IEV2.Vpointer = ad; else /* branch around a long jump */ { cn = code_next(c); c.next = code_calloc(); code_next(c).next = cn; c.Iop = op ^ 1; /* converse jmp */ c.Iflags &= ~CFjmp16; c.IEV2.Vpointer = I16 ? 3 : 5; cn = code_next(c); cn.Iop = JMP; /* long jump */ cn.IFL2 = FLconst; cn.IEV2.Vpointer = ad; } } c.IFL2 = FLconst; } if (op == LOOP && c.IFL2 == FLcode) /* backwards refs */ { Lbackjmp: ctarg = c.IEV2.Vcode; for (ci = cstart; ci != ctarg; ci = code_next(ci)) if (!ci || ci == c) assert(0); ad = 2; /* - IP displacement */ while (ci != c) { assert(ci); ad += calccodsize(ci); ci = code_next(ci); } c.IEV2.Vpointer = (-ad) & 0xFF; c.IFL2 = FLconst; } c = code_next(c); } } /******************************* * Calculate bl.Bsize. */ uint calcblksize(code *c) { uint size; for (size = 0; c; c = code_next(c)) { uint sz = calccodsize(c); //printf("off=%02x, sz = %d, code %p: op=%02x\n", size, sz, c, c.Iop); size += sz; } //printf("calcblksize(c = x%x) = %d\n", c, size); return size; } /***************************** * Calculate and return code size of a code. * Note that NOPs are sometimes used as markers, but are * never output. LINNUMs are never output. * Note: This routine must be fast. Profiling shows it is significant. */ uint calccodsize(code *c) { uint size; ubyte rm,mod,ins; uint iflags; uint i32 = I32 || I64; uint a32 = i32; debug assert((a32 & ~1) == 0); iflags = c.Iflags; opcode_t op = c.Iop; if (iflags & CFvex && c.Ivex.pfx == 0xC4) { ins = vex_inssize(c); size = ins & 7; goto Lmodrm; } else if ((op & 0xFF00) == 0x0F00 || (op & 0xFFFD00) == 0x0F3800) op = 0x0F; else op &= 0xFF; switch (op) { case 0x0F: if ((c.Iop & 0xFFFD00) == 0x0F3800) { // 3 byte op ( 0F38-- or 0F3A-- ) ins = inssize2[(c.Iop >> 8) & 0xFF]; size = ins & 7; if (c.Iop & 0xFF000000) size++; } else { // 2 byte op ( 0F-- ) ins = inssize2[c.Iop & 0xFF]; size = ins & 7; if (c.Iop & 0xFF0000) size++; } break; case 0x90: size = (c.Iop == PAUSE) ? 2 : 1; goto Lret2; case NOP: case ESCAPE: size = 0; // since these won't be output goto Lret2; case ASM: if (c.Iflags == CFaddrsize) // kludge for DA inline asm size = _tysize[TYnptr]; else size = cast(uint)c.IEV1.len; goto Lret2; case 0xA1: case 0xA3: if (c.Irex) { size = 9; // 64 bit immediate value for MOV to/from RAX goto Lret; } goto Ldefault; case 0xF6: /* TEST mem8,immed8 */ ins = inssize[op]; size = ins & 7; if (i32) size = inssize32[op]; if ((c.Irm & (7<<3)) == 0) size++; /* size of immed8 */ break; case 0xF7: ins = inssize[op]; size = ins & 7; if (i32) size = inssize32[op]; if ((c.Irm & (7<<3)) == 0) size += (i32 ^ ((iflags & CFopsize) !=0)) ? 4 : 2; break; default: Ldefault: ins = inssize[op]; size = ins & 7; if (i32) size = inssize32[op]; } if (iflags & (CFwait | CFopsize | CFaddrsize | CFSEG)) { if (iflags & CFwait) // if add FWAIT prefix size++; if (iflags & CFSEG) // if segment override size++; // If the instruction has a second operand that is not an 8 bit, // and the operand size prefix is present, then fix the size computation // because the operand size will be different. // Walter, I had problems with this bit at the end. There can still be // an ADDRSIZE prefix for these and it does indeed change the operand size. if (iflags & (CFopsize | CFaddrsize)) { if ((ins & (T|E)) == T) { if ((op & 0xAC) == 0xA0) { if (iflags & CFaddrsize && !I64) { if (I32) size -= 2; else size += 2; } } else if (iflags & CFopsize) { if (I16) size += 2; else size -= 2; } } if (iflags & CFaddrsize) { if (!I64) a32 ^= 1; size++; } if (iflags & CFopsize) size++; /* +1 for OPSIZE prefix */ } } Lmodrm: if ((op & ~0x0F) == 0x70) { if (iflags & CFjmp16) // if long branch size += I16 ? 3 : 4; // + 3(4) bytes for JMP } else if (ins & M) // if modregrm byte { rm = c.Irm; mod = rm & 0xC0; if (a32 || I64) { // 32 bit addressing if (issib(rm)) size++; switch (mod) { case 0: if (issib(rm) && (c.Isib & 7) == 5 || (rm & 7) == 5) size += 4; /* disp32 */ if (c.Irex & REX_B && (rm & 7) == 5) /* Instead of selecting R13, this mode is an [RIP] relative * address. Although valid, it's redundant, and should not * be generated. Instead, generate 0[R13] instead of [R13]. */ assert(0); break; case 0x40: size++; /* disp8 */ break; case 0x80: size += 4; /* disp32 */ break; default: break; } } else { // 16 bit addressing if (mod == 0x40) /* 01: 8 bit displacement */ size++; else if (mod == 0x80 || (mod == 0 && (rm & 7) == 6)) size += 2; } } Lret: if (!(iflags & CFvex) && c.Irex) { size++; if (c.Irex & REX_W && (op & ~7) == 0xB8) size += 4; } Lret2: //printf("op = x%02x, size = %d\n",op,size); return size; } /******************************** * Return !=0 if codes match. */ static if (0) { int code_match(code *c1,code *c2) { code cs1,cs2; ubyte ins; if (c1 == c2) goto match; cs1 = *c1; cs2 = *c2; if (cs1.Iop != cs2.Iop) goto nomatch; switch (cs1.Iop) { case ESCAPE | ESCctor: case ESCAPE | ESCdtor: goto nomatch; case NOP: goto match; case ASM: if (cs1.IEV1.len == cs2.IEV1.len && memcmp(cs1.IEV1.bytes,cs2.IEV1.bytes,cs1.EV1.len) == 0) goto match; else goto nomatch; default: if ((cs1.Iop & 0xFF) == ESCAPE) goto match; break; } if (cs1.Iflags != cs2.Iflags) goto nomatch; ins = inssize[cs1.Iop & 0xFF]; if ((cs1.Iop & 0xFFFD00) == 0x0F3800) { ins = inssize2[(cs1.Iop >> 8) & 0xFF]; } else if ((cs1.Iop & 0xFF00) == 0x0F00) { ins = inssize2[cs1.Iop & 0xFF]; } if (ins & M) // if modregrm byte { if (cs1.Irm != cs2.Irm) goto nomatch; if ((cs1.Irm & 0xC0) == 0xC0) goto do2; if (is32bitaddr(I32,cs1.Iflags)) { if (issib(cs1.Irm) && cs1.Isib != cs2.Isib) goto nomatch; if ( ((rm & 0xC0) == 0 && !((rm & 7) == 4 && (c.Isib & 7) == 5 || (rm & 7) == 5)) ) goto do2; /* if no first operand */ } else { if ( ((rm & 0xC0) == 0 && !((rm & 7) == 6)) ) goto do2; /* if no first operand */ } if (cs1.IFL1 != cs2.IFL1) goto nomatch; if (flinsymtab[cs1.IFL1] && cs1.IEV1.Vsym != cs2.IEV1.Vsym) goto nomatch; if (cs1.IEV1.Voffset != cs2.IEV1.Voffset) goto nomatch; } do2: if (!(ins & T)) // if no second operand goto match; if (cs1.IFL2 != cs2.IFL2) goto nomatch; if (flinsymtab[cs1.IFL2] && cs1.IEV2.Vsym != cs2.IEV2.Vsym) goto nomatch; if (cs1.IEV2.Voffset != cs2.IEV2.Voffset) goto nomatch; match: return 1; nomatch: return 0; } } /************************** * Write code to intermediate file. * Code starts at offset. * Returns: * addr of end of code */ private struct MiniCodeBuf { nothrow: size_t index; size_t offset; int seg; char[100] bytes; // = void; this(int seg) { index = 0; this.offset = cast(size_t)Offset(seg); this.seg = seg; } void flushx() { // Emit accumulated bytes to code segment debug assert(index < bytes.length); offset += objmod.bytes(seg, offset, cast(uint)index, bytes.ptr); index = 0; } void gen(char c) { bytes[index++] = c; } void genp(size_t n, void *p) { memcpy(&bytes[index], p, n); index += n; } void flush() { if (index) flushx(); } uint getOffset() { return cast(uint)(offset + index); } uint available() { return cast(uint)(bytes.sizeof - index); } } private void do8bit(MiniCodeBuf *pbuf, FL, evc *); private void do16bit(MiniCodeBuf *pbuf, FL, evc *,int); private void do32bit(MiniCodeBuf *pbuf, FL, evc *,int,int = 0); private void do64bit(MiniCodeBuf *pbuf, FL, evc *,int); uint codout(int seg, code *c) { ubyte rm,mod; ubyte ins; code *cn; uint flags; Symbol *s; debug if (debugc) printf("codout(%p), Coffset = x%llx\n",c,cast(ulong)Offset(seg)); MiniCodeBuf ggen = void; ggen.index = 0; ggen.offset = cast(size_t)Offset(seg); ggen.seg = seg; for (; c; c = code_next(c)) { debug { if (debugc) { printf("off=%02u, sz=%u, ", ggen.getOffset(), calccodsize(c)); code_print(c); } uint startoffset = ggen.getOffset(); } opcode_t op = c.Iop; ins = inssize[op & 0xFF]; switch (op & 0xFF) { case ESCAPE: /* Check for SSE4 opcode v/pmaxuw xmm1,xmm2/m128 */ if(op == 0x660F383E || c.Iflags & CFvex) break; switch (op & 0xFFFF00) { case ESClinnum: /* put out line number stuff */ objmod.linnum(c.IEV1.Vsrcpos,seg,ggen.getOffset()); break; version (SCPP) { static if (1) { case ESCctor: case ESCdtor: case ESCoffset: if (config.exe != EX_WIN32) except_pair_setoffset(c,ggen.getOffset() - funcoffset); break; case ESCmark: case ESCrelease: case ESCmark2: case ESCrelease2: break; } else { case ESCctor: except_push(ggen.getOffset() - funcoffset,c.IEV1.Vtor,null); break; case ESCdtor: except_pop(ggen.getOffset() - funcoffset,c.IEV1.Vtor,null); break; case ESCmark: except_mark(); break; case ESCrelease: except_release(); break; } } case ESCadjesp: //printf("adjust ESP %ld\n", (long)c.IEV1.Vint); break; default: break; } debug assert(calccodsize(c) == 0); continue; case NOP: /* don't send them out */ if (op != NOP) break; debug assert(calccodsize(c) == 0); continue; case ASM: if (op != ASM) break; ggen.flush(); if (c.Iflags == CFaddrsize) // kludge for DA inline asm { do32bit(&ggen, FLblockoff,&c.IEV1,0); } else { ggen.offset += objmod.bytes(seg,ggen.offset,cast(uint)c.IEV1.len,c.IEV1.bytes); } debug assert(calccodsize(c) == c.IEV1.len); continue; default: break; } flags = c.Iflags; // See if we need to flush (don't have room for largest code sequence) if (ggen.available() < (1+4+4+8+8)) ggen.flush(); // see if we need to put out prefix bytes if (flags & (CFwait | CFPREFIX | CFjmp16)) { int override_; if (flags & CFwait) ggen.gen(0x9B); // FWAIT /* ? SEGES : SEGSS */ switch (flags & CFSEG) { case CFes: override_ = SEGES; goto segover; case CFss: override_ = SEGSS; goto segover; case CFcs: override_ = SEGCS; goto segover; case CFds: override_ = SEGDS; goto segover; case CFfs: override_ = SEGFS; goto segover; case CFgs: override_ = SEGGS; goto segover; segover: ggen.gen(cast(ubyte)override_); break; default: break; } if (flags & CFaddrsize) ggen.gen(0x67); // Do this last because of instructions like ADDPD if (flags & CFopsize) ggen.gen(0x66); /* operand size */ if ((op & ~0x0F) == 0x70 && flags & CFjmp16) /* long condit jmp */ { if (!I16) { // Put out 16 bit conditional jump c.Iop = op = 0x0F00 | (0x80 | (op & 0x0F)); } else { cn = code_calloc(); /*cxcalloc++;*/ cn.next = code_next(c); c.next= cn; // link into code cn.Iop = JMP; // JMP block cn.IFL2 = c.IFL2; cn.IEV2.Vblock = c.IEV2.Vblock; c.Iop = op ^= 1; // toggle condition c.IFL2 = FLconst; c.IEV2.Vpointer = I16 ? 3 : 5; // skip over JMP block c.Iflags &= ~CFjmp16; } } } if (flags & CFvex) { if (flags & CFvex3) { ggen.gen(0xC4); ggen.gen(cast(ubyte)VEX3_B1(c.Ivex)); ggen.gen(cast(ubyte)VEX3_B2(c.Ivex)); ggen.gen(c.Ivex.op); } else { ggen.gen(0xC5); ggen.gen(cast(ubyte)VEX2_B1(c.Ivex)); ggen.gen(c.Ivex.op); } ins = vex_inssize(c); goto Lmodrm; } if (op > 0xFF) { if ((op & 0xFFFD00) == 0x0F3800) ins = inssize2[(op >> 8) & 0xFF]; else if ((op & 0xFF00) == 0x0F00) ins = inssize2[op & 0xFF]; if (op & 0xFF000000) { ubyte op1 = op >> 24; if (op1 == 0xF2 || op1 == 0xF3 || op1 == 0x66) { ggen.gen(op1); if (c.Irex) ggen.gen(c.Irex | REX); } else { if (c.Irex) ggen.gen(c.Irex | REX); ggen.gen(op1); } ggen.gen((op >> 16) & 0xFF); ggen.gen((op >> 8) & 0xFF); ggen.gen(op & 0xFF); } else if (op & 0xFF0000) { ubyte op1 = cast(ubyte)(op >> 16); if (op1 == 0xF2 || op1 == 0xF3 || op1 == 0x66) { ggen.gen(op1); if (c.Irex) ggen.gen(c.Irex | REX); } else { if (c.Irex) ggen.gen(c.Irex | REX); ggen.gen(op1); } ggen.gen((op >> 8) & 0xFF); ggen.gen(op & 0xFF); } else { if (c.Irex) ggen.gen(c.Irex | REX); ggen.gen((op >> 8) & 0xFF); ggen.gen(op & 0xFF); } } else { if (c.Irex) ggen.gen(c.Irex | REX); ggen.gen(cast(ubyte)op); } Lmodrm: if (ins & M) /* if modregrm byte */ { rm = c.Irm; ggen.gen(rm); // Look for an address size override when working with the // MOD R/M and SIB bytes if (is32bitaddr( I32, flags)) { if (issib(rm)) ggen.gen(c.Isib); switch (rm & 0xC0) { case 0x40: do8bit(&ggen, cast(FL) c.IFL1,&c.IEV1); // 8 bit break; case 0: if (!(issib(rm) && (c.Isib & 7) == 5 || (rm & 7) == 5)) break; goto case 0x80; case 0x80: { int cfflags = CFoff; targ_size_t val = 0; if (I64) { if ((rm & modregrm(3,0,7)) == modregrm(0,0,5)) // if disp32[RIP] { cfflags |= CFpc32; val = -4; reg_t reg = rm & modregrm(0,7,0); if (ins & T || ((op == 0xF6 || op == 0xF7) && (reg == modregrm(0,0,0) || reg == modregrm(0,1,0)))) { if (ins & E || op == 0xF6) val = -5; else if (c.Iflags & CFopsize) val = -6; else val = -8; } static if (TARGET_OSX || TARGET_WINDOS) { /* Mach-O and Win64 fixups already take the 4 byte size * into account, so bias by 4 ` */ val += 4; } } } do32bit(&ggen, cast(FL)c.IFL1,&c.IEV1,cfflags,cast(int)val); break; } default: break; } } else { switch (rm & 0xC0) { case 0x40: do8bit(&ggen, cast(FL) c.IFL1,&c.IEV1); // 8 bit break; case 0: if ((rm & 7) != 6) break; goto case 0x80; case 0x80: do16bit(&ggen, cast(FL)c.IFL1,&c.IEV1,CFoff); break; default: break; } } } else { if (op == ENTER) do16bit(&ggen, cast(FL)c.IFL1,&c.IEV1,0); } flags &= CFseg | CFoff | CFselfrel; if (ins & T) /* if second operand */ { if (ins & E) /* if data-8 */ do8bit(&ggen, cast(FL) c.IFL2,&c.IEV2); else if (!I16) { switch (op) { case 0xC2: /* RETN imm16 */ case 0xCA: /* RETF imm16 */ do16: do16bit(&ggen, cast(FL)c.IFL2,&c.IEV2,flags); break; case 0xA1: case 0xA3: if (I64 && c.Irex) { do64: do64bit(&ggen, cast(FL)c.IFL2,&c.IEV2,flags); break; } goto case 0xA0; case 0xA0: /* MOV AL,byte ptr [] */ case 0xA2: if (c.Iflags & CFaddrsize && !I64) goto do16; else do32: do32bit(&ggen, cast(FL)c.IFL2,&c.IEV2,flags); break; case 0x9A: case 0xEA: if (c.Iflags & CFopsize) goto ptr1616; else goto ptr1632; case 0x68: // PUSH immed32 if (cast(FL)c.IFL2 == FLblock) { c.IFL2 = FLblockoff; goto do32; } else goto case_default; case CALL: // CALL rel case JMP: // JMP rel flags |= CFselfrel; goto case_default; default: if ((op|0xF) == 0x0F8F) // Jcc rel16 rel32 flags |= CFselfrel; if (I64 && (op & ~7) == 0xB8 && c.Irex & REX_W) goto do64; case_default: if (c.Iflags & CFopsize) goto do16; else goto do32; } } else { switch (op) { case 0xC2: case 0xCA: goto do16; case 0xA0: case 0xA1: case 0xA2: case 0xA3: if (c.Iflags & CFaddrsize) goto do32; else goto do16; case 0x9A: case 0xEA: if (c.Iflags & CFopsize) goto ptr1632; else goto ptr1616; ptr1616: ptr1632: //assert(c.IFL2 == FLfunc); ggen.flush(); if (c.IFL2 == FLdatseg) { objmod.reftodatseg(seg,ggen.offset,c.IEV2.Vpointer, c.IEV2.Vseg,flags); ggen.offset += 4; } else { s = c.IEV2.Vsym; ggen.offset += objmod.reftoident(seg,ggen.offset,s,0,flags); } break; case 0x68: // PUSH immed16 if (cast(FL)c.IFL2 == FLblock) { c.IFL2 = FLblockoff; goto do16; } else goto case_default16; case CALL: case JMP: flags |= CFselfrel; goto default; default: case_default16: if (c.Iflags & CFopsize) goto do32; else goto do16; } } } else if (op == 0xF6) /* TEST mem8,immed8 */ { if ((rm & (7<<3)) == 0) do8bit(&ggen, cast(FL)c.IFL2,&c.IEV2); } else if (op == 0xF7) { if ((rm & (7<<3)) == 0) /* TEST mem16/32,immed16/32 */ { if ((I32 || I64) ^ ((c.Iflags & CFopsize) != 0)) do32bit(&ggen, cast(FL)c.IFL2,&c.IEV2,flags); else do16bit(&ggen, cast(FL)c.IFL2,&c.IEV2,flags); } } debug if (ggen.getOffset() - startoffset != calccodsize(c)) { printf("actual: %d, calc: %d\n", cast(int)(ggen.getOffset() - startoffset), cast(int)calccodsize(c)); code_print(c); assert(0); } } ggen.flush(); Offset(seg) = ggen.offset; //printf("-codout(), Coffset = x%x\n", Offset(seg)); return cast(uint)ggen.offset; /* ending address */ } private void do64bit(MiniCodeBuf *pbuf, FL fl, evc *uev,int flags) { char *p; Symbol *s; targ_size_t ad; assert(I64); switch (fl) { case FLconst: ad = *cast(targ_size_t *) uev; L1: pbuf.genp(8,&ad); return; case FLdatseg: pbuf.flush(); objmod.reftodatseg(pbuf.seg,pbuf.offset,uev.Vpointer,uev.Vseg,CFoffset64 | flags); break; case FLframehandler: framehandleroffset = pbuf.getOffset(); ad = 0; goto L1; case FLswitch: pbuf.flush(); ad = uev.Vswitch.Btableoffset; if (config.flags & CFGromable) objmod.reftocodeseg(pbuf.seg,pbuf.offset,ad); else objmod.reftodatseg(pbuf.seg,pbuf.offset,ad,objmod.jmpTableSegment(funcsym_p),CFoff); break; case FLcsdata: case FLfardata: //symbol_print(uev.Vsym); // NOTE: In ELFOBJ all symbol refs have been tagged FLextern // strings and statics are treated like offsets from a // un-named external with is the start of .rodata or .data case FLextern: /* external data symbol */ case FLtlsdata: static if (TARGET_LINUX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { case FLgot: case FLgotoff: } pbuf.flush(); s = uev.Vsym; /* symbol pointer */ objmod.reftoident(pbuf.seg,pbuf.offset,s,uev.Voffset,CFoffset64 | flags); break; static if (TARGET_OSX) { case FLgot: funcsym_p.Slocalgotoffset = pbuf.getOffset(); ad = 0; goto L1; } case FLfunc: /* function call */ s = uev.Vsym; /* symbol pointer */ assert(TARGET_SEGMENTED || !tyfarfunc(s.ty())); pbuf.flush(); objmod.reftoident(pbuf.seg,pbuf.offset,s,0,CFoffset64 | flags); break; case FLblock: /* displacement to another block */ ad = uev.Vblock.Boffset - pbuf.getOffset() - 4; //printf("FLblock: funcoffset = %x, pbuf.getOffset = %x, Boffset = %x, ad = %x\n", funcoffset, pbuf.getOffset(), uev.Vblock.Boffset, ad); goto L1; case FLblockoff: pbuf.flush(); assert(uev.Vblock); //printf("FLblockoff: offset = %x, Boffset = %x, funcoffset = %x\n", pbuf.offset, uev.Vblock.Boffset, funcoffset); objmod.reftocodeseg(pbuf.seg,pbuf.offset,uev.Vblock.Boffset); break; default: WRFL(fl); assert(0); } pbuf.offset += 8; } private void do32bit(MiniCodeBuf *pbuf, FL fl, evc *uev,int flags, int val) { char *p; Symbol *s; targ_size_t ad; //printf("do32bit(flags = x%x)\n", flags); switch (fl) { case FLconst: assert(targ_size_t.sizeof == 4 || targ_size_t.sizeof == 8); ad = * cast(targ_size_t *) uev; L1: pbuf.genp(4,&ad); return; case FLdatseg: pbuf.flush(); objmod.reftodatseg(pbuf.seg,pbuf.offset,uev.Vpointer,uev.Vseg,flags); break; case FLframehandler: framehandleroffset = pbuf.getOffset(); ad = 0; goto L1; case FLswitch: pbuf.flush(); ad = uev.Vswitch.Btableoffset; if (config.flags & CFGromable) { static if (TARGET_OSX) { // These are magic values based on the exact code generated for the switch jump if (I64) uev.Vswitch.Btablebase = pbuf.getOffset() + 4; else uev.Vswitch.Btablebase = pbuf.getOffset() + 4 - 8; ad -= uev.Vswitch.Btablebase; goto L1; } else static if (TARGET_WINDOS) { if (I64) { uev.Vswitch.Btablebase = pbuf.getOffset() + 4; ad -= uev.Vswitch.Btablebase; goto L1; } else objmod.reftocodeseg(pbuf.seg,pbuf.offset,ad); } else { objmod.reftocodeseg(pbuf.seg,pbuf.offset,ad); } } else objmod.reftodatseg(pbuf.seg,pbuf.offset,ad,objmod.jmpTableSegment(funcsym_p),CFoff); break; case FLcode: //assert(JMPJMPTABLE); // the only use case pbuf.flush(); ad = *cast(targ_size_t *) uev + pbuf.getOffset(); objmod.reftocodeseg(pbuf.seg,pbuf.offset,ad); break; case FLcsdata: case FLfardata: //symbol_print(uev.Vsym); // NOTE: In ELFOBJ all symbol refs have been tagged FLextern // strings and statics are treated like offsets from a // un-named external with is the start of .rodata or .data case FLextern: /* external data symbol */ case FLtlsdata: static if (TARGET_LINUX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) { case FLgot: case FLgotoff: } pbuf.flush(); s = uev.Vsym; /* symbol pointer */ if (TARGET_WINDOS && I64 && (flags & CFpc32)) { /* This is for those funky fixups where the location to be fixed up * is a 'val' amount back from the current RIP, biased by adding 4. */ assert(val >= -5 && val <= 0); flags |= (-val & 7) << 24; // set CFREL value assert(CFREL == (7 << 24)); objmod.reftoident(pbuf.seg,pbuf.offset,s,uev.Voffset,flags); } else objmod.reftoident(pbuf.seg,pbuf.offset,s,uev.Voffset + val,flags); break; static if (TARGET_OSX) { case FLgot: funcsym_p.Slocalgotoffset = pbuf.getOffset(); ad = 0; goto L1; } case FLfunc: /* function call */ s = uev.Vsym; /* symbol pointer */ if (tyfarfunc(s.ty())) { /* Large code references are always absolute */ pbuf.flush(); pbuf.offset += objmod.reftoident(pbuf.seg,pbuf.offset,s,0,flags) - 4; } else if (s.Sseg == pbuf.seg && (s.Sclass == SCstatic || s.Sclass == SCglobal) && s.Sxtrnnum == 0 && flags & CFselfrel) { /* if we know it's relative address */ ad = s.Soffset - pbuf.getOffset() - 4; goto L1; } else { assert(TARGET_SEGMENTED || !tyfarfunc(s.ty())); pbuf.flush(); objmod.reftoident(pbuf.seg,pbuf.offset,s,val,flags); } break; case FLblock: /* displacement to another block */ ad = uev.Vblock.Boffset - pbuf.getOffset() - 4; //printf("FLblock: funcoffset = %x, pbuf.getOffset = %x, Boffset = %x, ad = %x\n", funcoffset, pbuf.getOffset(), uev.Vblock.Boffset, ad); goto L1; case FLblockoff: pbuf.flush(); assert(uev.Vblock); //printf("FLblockoff: offset = %x, Boffset = %x, funcoffset = %x\n", pbuf.offset, uev.Vblock.Boffset, funcoffset); objmod.reftocodeseg(pbuf.seg,pbuf.offset,uev.Vblock.Boffset); break; default: WRFL(fl); assert(0); } pbuf.offset += 4; } private void do16bit(MiniCodeBuf *pbuf, FL fl, evc *uev,int flags) { char *p; Symbol *s; targ_size_t ad; switch (fl) { case FLconst: pbuf.genp(2,cast(char *) uev); return; case FLdatseg: pbuf.flush(); objmod.reftodatseg(pbuf.seg,pbuf.offset,uev.Vpointer,uev.Vseg,flags); break; case FLswitch: pbuf.flush(); ad = uev.Vswitch.Btableoffset; if (config.flags & CFGromable) objmod.reftocodeseg(pbuf.seg,pbuf.offset,ad); else objmod.reftodatseg(pbuf.seg,pbuf.offset,ad,objmod.jmpTableSegment(funcsym_p),CFoff); break; case FLcsdata: case FLfardata: case FLextern: /* external data symbol */ case FLtlsdata: //assert(SIXTEENBIT || TARGET_SEGMENTED); pbuf.flush(); s = uev.Vsym; /* symbol pointer */ objmod.reftoident(pbuf.seg,pbuf.offset,s,uev.Voffset,flags); break; case FLfunc: /* function call */ //assert(SIXTEENBIT || TARGET_SEGMENTED); s = uev.Vsym; /* symbol pointer */ if (tyfarfunc(s.ty())) { /* Large code references are always absolute */ pbuf.flush(); pbuf.offset += objmod.reftoident(pbuf.seg,pbuf.offset,s,0,flags) - 2; } else if (s.Sseg == pbuf.seg && (s.Sclass == SCstatic || s.Sclass == SCglobal) && s.Sxtrnnum == 0 && flags & CFselfrel) { /* if we know it's relative address */ ad = s.Soffset - pbuf.getOffset() - 2; goto L1; } else { pbuf.flush(); objmod.reftoident(pbuf.seg,pbuf.offset,s,0,flags); } break; case FLblock: /* displacement to another block */ ad = uev.Vblock.Boffset - pbuf.getOffset() - 2; debug { targ_ptrdiff_t delta = uev.Vblock.Boffset - pbuf.getOffset() - 2; assert(cast(short)delta == delta); } L1: pbuf.genp(2,&ad); // displacement return; case FLblockoff: pbuf.flush(); objmod.reftocodeseg(pbuf.seg,pbuf.offset,uev.Vblock.Boffset); break; default: WRFL(fl); assert(0); } pbuf.offset += 2; } private void do8bit(MiniCodeBuf *pbuf, FL fl, evc *uev) { char c; targ_ptrdiff_t delta; switch (fl) { case FLconst: c = cast(char)uev.Vuns; break; case FLblock: delta = uev.Vblock.Boffset - pbuf.getOffset() - 1; if (cast(byte)delta != delta) { version (MARS) { if (uev.Vblock.Bsrcpos.Slinnum) printf("%s(%d): ", uev.Vblock.Bsrcpos.Sfilename, uev.Vblock.Bsrcpos.Slinnum); } printf("block displacement of %lld exceeds the maximum offset of -128 to 127.\n", cast(long)delta); err_exit(); } c = cast(char)delta; debug assert(uev.Vblock.Boffset > pbuf.getOffset() || c != 0x7F); break; default: debug printf("fl = %d\n",fl); assert(0); } pbuf.gen(c); } /********************************** */ version (SCPP) { static if (HYDRATE) { void code_hydrate(code **pc) { code *c; ubyte ins,rm; FL fl; assert(pc); while (*pc) { c = cast(code *) ph_hydrate(cast(void**)pc); if (c.Iflags & CFvex && c.Ivex.pfx == 0xC4) ins = vex_inssize(c); else if ((c.Iop & 0xFFFD00) == 0x0F3800) ins = inssize2[(c.Iop >> 8) & 0xFF]; else if ((c.Iop & 0xFF00) == 0x0F00) ins = inssize2[c.Iop & 0xFF]; else ins = inssize[c.Iop & 0xFF]; switch (c.Iop) { default: break; case ESCAPE | ESClinnum: srcpos_hydrate(&c.IEV1.Vsrcpos); goto done; case ESCAPE | ESCctor: case ESCAPE | ESCdtor: el_hydrate(&c.IEV1.Vtor); goto done; case ASM: ph_hydrate(cast(void**)&c.IEV1.bytes); goto done; } if (!(ins & M) || ((rm = c.Irm) & 0xC0) == 0xC0) goto do2; /* if no first operand */ if (is32bitaddr(I32,c.Iflags)) { if ( ((rm & 0xC0) == 0 && !((rm & 7) == 4 && (c.Isib & 7) == 5 || (rm & 7) == 5)) ) goto do2; /* if no first operand */ } else { if ( ((rm & 0xC0) == 0 && !((rm & 7) == 6)) ) goto do2; /* if no first operand */ } fl = cast(FL) c.IFL1; switch (fl) { case FLudata: case FLdata: case FLreg: case FLauto: case FLfast: case FLbprel: case FLpara: case FLcsdata: case FLfardata: case FLtlsdata: case FLfunc: case FLpseudo: case FLextern: assert(flinsymtab[fl]); symbol_hydrate(&c.IEV1.Vsym); symbol_debug(c.IEV1.Vsym); break; case FLdatseg: case FLfltreg: case FLallocatmp: case FLcs: case FLndp: case FLoffset: case FLlocalsize: case FLconst: case FLframehandler: assert(!flinsymtab[fl]); break; case FLcode: ph_hydrate(cast(void**)&c.IEV1.Vcode); break; case FLblock: case FLblockoff: ph_hydrate(cast(void**)&c.IEV1.Vblock); break; version (SCPP) { case FLctor: case FLdtor: el_hydrate(cast(elem**)&c.IEV1.Vtor); break; } case FLasm: ph_hydrate(cast(void**)&c.IEV1.bytes); break; default: WRFL(fl); assert(0); } do2: /* Ignore TEST (F6 and F7) opcodes */ if (!(ins & T)) goto done; /* if no second operand */ fl = cast(FL) c.IFL2; switch (fl) { case FLudata: case FLdata: case FLreg: case FLauto: case FLfast: case FLbprel: case FLpara: case FLcsdata: case FLfardata: case FLtlsdata: case FLfunc: case FLpseudo: case FLextern: assert(flinsymtab[fl]); symbol_hydrate(&c.IEV2.Vsym); symbol_debug(c.IEV2.Vsym); break; case FLdatseg: case FLfltreg: case FLallocatmp: case FLcs: case FLndp: case FLoffset: case FLlocalsize: case FLconst: case FLframehandler: assert(!flinsymtab[fl]); break; case FLcode: ph_hydrate(cast(void**)&c.IEV2.Vcode); break; case FLblock: case FLblockoff: ph_hydrate(cast(void**)&c.IEV2.Vblock); break; default: WRFL(fl); assert(0); } done: { } pc = &c.next; } } } /********************************** */ static if (DEHYDRATE) { void code_dehydrate(code **pc) { code *c; ubyte ins,rm; FL fl; while ((c = *pc) != null) { ph_dehydrate(pc); if (c.Iflags & CFvex && c.Ivex.pfx == 0xC4) ins = vex_inssize(c); else if ((c.Iop & 0xFFFD00) == 0x0F3800) ins = inssize2[(c.Iop >> 8) & 0xFF]; else if ((c.Iop & 0xFF00) == 0x0F00) ins = inssize2[c.Iop & 0xFF]; else ins = inssize[c.Iop & 0xFF]; switch (c.Iop) { default: break; case ESCAPE | ESClinnum: srcpos_dehydrate(&c.IEV1.Vsrcpos); goto done; case ESCAPE | ESCctor: case ESCAPE | ESCdtor: el_dehydrate(&c.IEV1.Vtor); goto done; case ASM: ph_dehydrate(&c.IEV1.bytes); goto done; } if (!(ins & M) || ((rm = c.Irm) & 0xC0) == 0xC0) goto do2; /* if no first operand */ if (is32bitaddr(I32,c.Iflags)) { if ( ((rm & 0xC0) == 0 && !((rm & 7) == 4 && (c.Isib & 7) == 5 || (rm & 7) == 5)) ) goto do2; /* if no first operand */ } else { if ( ((rm & 0xC0) == 0 && !((rm & 7) == 6)) ) goto do2; /* if no first operand */ } fl = cast(FL) c.IFL1; switch (fl) { case FLudata: case FLdata: case FLreg: case FLauto: case FLfast: case FLbprel: case FLpara: case FLcsdata: case FLfardata: case FLtlsdata: case FLfunc: case FLpseudo: case FLextern: assert(flinsymtab[fl]); symbol_dehydrate(&c.IEV1.Vsym); break; case FLdatseg: case FLfltreg: case FLallocatmp: case FLcs: case FLndp: case FLoffset: case FLlocalsize: case FLconst: case FLframehandler: assert(!flinsymtab[fl]); break; case FLcode: ph_dehydrate(&c.IEV1.Vcode); break; case FLblock: case FLblockoff: ph_dehydrate(&c.IEV1.Vblock); break; version (SCPP) { case FLctor: case FLdtor: el_dehydrate(&c.IEV1.Vtor); break; } case FLasm: ph_dehydrate(&c.IEV1.bytes); break; default: WRFL(fl); assert(0); break; } do2: /* Ignore TEST (F6 and F7) opcodes */ if (!(ins & T)) goto done; /* if no second operand */ fl = cast(FL) c.IFL2; switch (fl) { case FLudata: case FLdata: case FLreg: case FLauto: case FLfast: case FLbprel: case FLpara: case FLcsdata: case FLfardata: case FLtlsdata: case FLfunc: case FLpseudo: case FLextern: assert(flinsymtab[fl]); symbol_dehydrate(&c.IEV2.Vsym); break; case FLdatseg: case FLfltreg: case FLallocatmp: case FLcs: case FLndp: case FLoffset: case FLlocalsize: case FLconst: case FLframehandler: assert(!flinsymtab[fl]); break; case FLcode: ph_dehydrate(&c.IEV2.Vcode); break; case FLblock: case FLblockoff: ph_dehydrate(&c.IEV2.Vblock); break; default: WRFL(fl); assert(0); break; } done: pc = &code_next(c); } } } } /*************************** * Debug code to dump code structure. */ void WRcodlst(code *c) { for (; c; c = code_next(c)) code_print(c); } extern (C) void code_print(code* c) { ubyte ins; ubyte rexb; if (c == null) { printf("code 0\n"); return; } const op = c.Iop; if (c.Iflags & CFvex && c.Ivex.pfx == 0xC4) ins = vex_inssize(c); else if ((c.Iop & 0xFFFD00) == 0x0F3800) ins = inssize2[(op >> 8) & 0xFF]; else if ((c.Iop & 0xFF00) == 0x0F00) ins = inssize2[op & 0xFF]; else ins = inssize[op & 0xFF]; printf("code %p: nxt=%p ",c,code_next(c)); if (c.Iflags & CFvex) { if (c.Iflags & CFvex3) { printf("vex=0xC4"); printf(" 0x%02X", VEX3_B1(c.Ivex)); printf(" 0x%02X", VEX3_B2(c.Ivex)); rexb = ( c.Ivex.w ? REX_W : 0) | (!c.Ivex.r ? REX_R : 0) | (!c.Ivex.x ? REX_X : 0) | (!c.Ivex.b ? REX_B : 0); } else { printf("vex=0xC5"); printf(" 0x%02X", VEX2_B1(c.Ivex)); rexb = !c.Ivex.r ? REX_R : 0; } printf(" "); } else rexb = c.Irex; if (rexb) { printf("rex=0x%02X ", c.Irex); if (rexb & REX_W) printf("W"); if (rexb & REX_R) printf("R"); if (rexb & REX_X) printf("X"); if (rexb & REX_B) printf("B"); printf(" "); } printf("op=0x%02X",op); if ((op & 0xFF) == ESCAPE) { if ((op & 0xFF00) == ESClinnum) { printf(" linnum = %d\n",c.IEV1.Vsrcpos.Slinnum); return; } printf(" ESCAPE %d",c.Iop >> 8); } if (c.Iflags) printf(" flg=%x",c.Iflags); if (ins & M) { uint rm = c.Irm; printf(" rm=0x%02X=%d,%d,%d",rm,(rm>>6)&3,(rm>>3)&7,rm&7); if (!I16 && issib(rm)) { ubyte sib = c.Isib; printf(" sib=%02x=%d,%d,%d",sib,(sib>>6)&3,(sib>>3)&7,sib&7); } if ((rm & 0xC7) == BPRM || (rm & 0xC0) == 0x80 || (rm & 0xC0) == 0x40) { switch (c.IFL1) { case FLconst: case FLoffset: printf(" int = %4d",c.IEV1.Vuns); break; case FLblock: printf(" block = %p",c.IEV1.Vblock); break; case FLswitch: case FLblockoff: case FLlocalsize: case FLframehandler: case 0: break; case FLdatseg: printf(" %d.%llx",c.IEV1.Vseg,cast(ulong)c.IEV1.Vpointer); break; case FLauto: case FLfast: case FLreg: case FLdata: case FLudata: case FLpara: case FLbprel: case FLtlsdata: printf(" sym='%s'",c.IEV1.Vsym.Sident.ptr); break; case FLextern: printf(" FLextern offset = %4d",cast(int)c.IEV1.Voffset); break; default: WRFL(cast(FL)c.IFL1); break; } } } if (ins & T) { printf(" "); WRFL(cast(FL)c.IFL2); switch (c.IFL2) { case FLconst: printf(" int = %4d",c.IEV2.Vuns); break; case FLblock: printf(" block = %p",c.IEV2.Vblock); break; case FLswitch: case FLblockoff: case 0: case FLlocalsize: case FLframehandler: break; case FLdatseg: printf(" %d.%llx",c.IEV2.Vseg,cast(ulong)c.IEV2.Vpointer); break; case FLauto: case FLfast: case FLreg: case FLpara: case FLbprel: case FLfunc: case FLdata: case FLudata: case FLtlsdata: printf(" sym='%s'",c.IEV2.Vsym.Sident.ptr); break; case FLcode: printf(" code = %p",c.IEV2.Vcode); break; default: WRFL(cast(FL)c.IFL2); break; } } printf("\n"); } }
D
/** * D header file for FreeBSD. * * $(LINK2 http://svnweb.freebsd.org/base/head/sys/sys/elf32.h?view=markup, sys/elf32.h) */ module core.sys.freebsd.sys.elf32; version (FreeBSD): extern (C): pure: nothrow: import core.stdc.stdint; public import core.sys.freebsd.sys.elf_common; alias uint16_t Elf32_Half; alias uint32_t Elf32_Word; alias int32_t Elf32_Sword; alias uint64_t Elf32_Lword; alias uint32_t Elf32_Addr; alias uint32_t Elf32_Off; alias Elf32_Word Elf32_Hashelt; alias Elf32_Word Elf32_Size; alias Elf32_Sword Elf32_Ssize; struct Elf32_Ehdr { char[EI_NIDENT] e_ident = 0; Elf32_Half e_type; Elf32_Half e_machine; Elf32_Word e_version; Elf32_Addr e_entry; Elf32_Off e_phoff; Elf32_Off e_shoff; Elf32_Word e_flags; Elf32_Half e_ehsize; Elf32_Half e_phentsize; Elf32_Half e_phnum; Elf32_Half e_shentsize; Elf32_Half e_shnum; Elf32_Half e_shstrndx; } struct Elf32_Shdr { Elf32_Word sh_name; Elf32_Word sh_type; Elf32_Word sh_flags; Elf32_Addr sh_addr; Elf32_Off sh_offset; Elf32_Word sh_size; Elf32_Word sh_link; Elf32_Word sh_info; Elf32_Word sh_addralign; Elf32_Word sh_entsize; } struct Elf32_Phdr { Elf32_Word p_type; Elf32_Off p_offset; Elf32_Addr p_vaddr; Elf32_Addr p_paddr; Elf32_Word p_filesz; Elf32_Word p_memsz; Elf32_Word p_flags; Elf32_Word p_align; } struct Elf32_Dyn { Elf32_Sword d_tag; union _d_un { Elf32_Word d_val; Elf32_Addr d_ptr; } _d_un d_un; } struct Elf32_Rel { Elf32_Addr r_offset; Elf32_Word r_info; } struct Elf32_Rela { Elf32_Addr r_offset; Elf32_Word r_info; Elf32_Sword r_addend; } extern (D) { auto ELF32_R_SYM(V)(V val) { return val >> 8; } auto ELF32_R_TYPE(V)(V val) { return val & 0xff; } auto ELF32_R_INFO(S, T)(S sym, T type) { return (sym << 8) + (type & 0xff); } } alias Elf_Note Elf32_Nhdr; struct Elf32_Move { Elf32_Lword m_value; Elf32_Word m_info; Elf32_Word m_poffset; Elf32_Half m_repeat; Elf32_Half m_stride; } extern (D) { auto ELF32_M_SYM(I)(I info) { return info >> 8; } auto ELF32_M_SIZE(I)(I info) { return cast(ubyte)info; } auto ELF32_M_INFO(S, SZ)(S sym, SZ size) { return (sym << 8) + cast(ubye)size; } } struct Elf32_Cap { Elf32_Word c_tag; union _c_un { Elf32_Word c_val; Elf32_Addr c_ptr; } _c_un c_un; } struct Elf32_Sym { Elf32_Word st_name; Elf32_Addr st_value; Elf32_Word st_size; ubyte st_info; ubyte st_other; Elf32_Half st_shndx; } extern (D) { auto ELF32_ST_BIND(T)(T val) { return cast(ubyte)val >> 4; } auto ELF32_ST_TYPE(T)(T val) { return val & 0xf; } auto ELF32_ST_INFO(B, T)(B bind, T type) { return (bind << 4) + (type & 0xf); } auto ELF32_ST_VISIBILITY(O)(O o) { return o & 0x03; } } struct Elf32_Verdef { Elf32_Half vd_version; Elf32_Half vd_flags; Elf32_Half vd_ndx; Elf32_Half vd_cnt; Elf32_Word vd_hash; Elf32_Word vd_aux; Elf32_Word vd_next; } struct Elf32_Verdaux { Elf32_Word vda_name; Elf32_Word vda_next; } struct Elf32_Verneed { Elf32_Half vn_version; Elf32_Half vn_cnt; Elf32_Word vn_file; Elf32_Word vn_aux; Elf32_Word vn_next; } struct Elf32_Vernaux { Elf32_Word vna_hash; Elf32_Half vna_flags; Elf32_Half vna_other; Elf32_Word vna_name; Elf32_Word vna_next; } alias Elf32_Half Elf32_Versym; struct Elf32_Syminfo { Elf32_Half si_boundto; Elf32_Half si_flags; }
D
INSTANCE Info_Mod_Cavalorn_AW_Hi (C_INFO) { npc = Mod_7640_RDW_Cavalorn_AW; nr = 1; condition = Info_Mod_Cavalorn_AW_Hi_Condition; information = Info_Mod_Cavalorn_AW_Hi_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Cavalorn_AW_Hi_Condition() { return 1; }; FUNC VOID Info_Mod_Cavalorn_AW_Hi_Info() { AI_Output(self, hero, "Info_Mod_Cavalorn_AW_Hi_08_00"); //Moment. Ich habe eine Nachricht für dich. AI_Output(hero, self, "Info_Mod_Cavalorn_AW_Hi_15_01"); //Ich höre ... AI_Output(self, hero, "Info_Mod_Cavalorn_AW_Hi_08_02"); //Wenn du in die Stadt kommst, sollst du am Tempelplatz vorbei schauen. AI_Output(self, hero, "Info_Mod_Cavalorn_AW_Hi_08_03"); //Da steht ein Kerl, der will dich unbedingt sprechen. AI_Output(hero, self, "Info_Mod_Cavalorn_AW_Hi_15_04"); //Wenn's sonst nichts ist. B_StartOtherRoutine (self, "TOT"); }; INSTANCE Info_Mod_Cavalorn_AW_EXIT (C_INFO) { npc = Mod_7640_RDW_Cavalorn_AW; nr = 1; condition = Info_Mod_Cavalorn_AW_EXIT_Condition; information = Info_Mod_Cavalorn_AW_EXIT_Info; permanent = 1; important = 0; description = DIALOG_ENDE; }; FUNC INT Info_Mod_Cavalorn_AW_EXIT_Condition() { return 1; }; FUNC VOID Info_Mod_Cavalorn_AW_EXIT_Info() { AI_StopProcessInfos (self); };
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_3_BeT-1446133419.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_3_BeT-1446133419.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
/Users/kristoferhuang/Desktop/Worktide/build/Worktide.build/Debug-iphonesimulator/Worktide.build/Objects-normal/x86_64/WhatsNewViewController.o : /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperForUploadingData.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UITextField.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIImage.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/GMSCircle.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/Date.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/AppDelegate.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/MSMutableStringAttribute.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperForReading.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperLoading.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIString.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperForCalculating.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/ServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/RecommendedServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/SpecifiedServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/CreateServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ImageModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/TimeRangeModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/ScheduleModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/UserScheduleModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/BookingsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/SettingsOptionsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AppointmentsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/ServicerAppointmentsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/AvailableDaysModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/ServiceSpotlightModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/JobCategoryModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ServiceCategoy/ServiceCategoryModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/AvailabilityModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/UserAvailabilityModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/AboutServiceCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/DaysAvailableCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/CategoryCollectionCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CollectionViewHeaderCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/ServicesCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ImagesCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/AddImagesCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/AccountSettingsCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ServiceCategoy/ServiceDetailsCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/SelectAppointmentCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/ViewAppointmentCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/PeopleListCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/CollectionViewCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/MapViewCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/BrowseByCategoryCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/TimeAvailabilityCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/Protocol.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/CLLocationCoordiante2DExtension.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/IntExtension.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServiceLocation.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/UserServiceHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/ProfileHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/SectionTitleHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/AccountSettingsHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/MainViewHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ImagePickerManager.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/CompletedController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/NameServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/CreateServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/New\ Group1/UserServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/TimeSelectServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/AboutServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ReviewNewServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/ProfileController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/UsersNameController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServiceSchedulingController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/SplashScreenController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/New\ Group/LoginController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/BeforeLoginController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/NotificationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CompleteProfileControllers/EnableLocationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/GetUserLocationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServiceExtraInformationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ChangeServiceInformationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/ScheduleExceptionController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/TabBarController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CalendarAppointment/BreakCalendarController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/VerifyPhoneNumberController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/BookServicesController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/AddImagesController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/QuestionsController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AppointmentsController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/ConfirmAppointmentController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/ViewAppointmentController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/SupportController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/LearnMoreViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/MainViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileImageSetupViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AppointmentsViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/WhatsNewViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServicePayController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ServiceCategoy/ServicesByCategoryController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AvailabilityController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CalendarAppointment/DaysAvailabilityController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIColor.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/MyServicesCells.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperViewTransitions.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/TitleHeaders.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIImageView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UITableView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIStackView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIScrollView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UICollectionView.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreLocation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/MapKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreLocation.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/MapKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FirebaseFirestore-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FirebaseMessaging-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FirebaseInAppMessaging-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FirebaseDynamicLinks-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/HCSStarRatingView/HCSStarRatingView.framework/Headers/HCSStarRatingView-umbrella.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanorama.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaCamera.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapCamera.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacePhotoMetadata.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRSnapshotMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceLikelihood.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRCollectionReference.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRDocumentReference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaSource.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteTableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestoreSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlusCode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteBoundsMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapCameraZoomRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRDocumentChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCircle.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCircle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSStrokeStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolyline.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPolyline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKGeodesicPolyline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolyline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestore.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FirebaseFirestore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GoogleMapsBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/kristoferhuang/Desktop/Worktide/Pods/Firebase/CoreOnly/Sources/Firebase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearchResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirectionsResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCameraUpdate.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaCameraUpdate.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocationManagerDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFieldValue.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLHeading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSIndoorBuilding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FIRMessaging.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FirebaseMessaging.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FIRInAppMessaging.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FirebaseInAppMessaging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FIRInAppMessagingRendering.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRWriteBatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPath.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFieldPath.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMutablePath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaLink.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FIRDynamicLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPlacemark.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLPlacemark.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceFieldMask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthCredential.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSIndoorLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKUserTrackingBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/NSUserActivity+MKMapItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSStyleSpan.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteSessionToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLErrorDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolygon.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPolygon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolygon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLBeaconRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLCircularRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKUserLocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapView+Animation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRListenerRegistration.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSOrientation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKClusterAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPointAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKGeoJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRTransaction.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSProjection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompletePrediction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCameraPosition.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FIRDynamicLinksCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKUserTrackingButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCompassButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRTimestamp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDynamicHeader.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarStickyHeader.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFederatedAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGameCenterAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLGeocoder.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSGeocoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKReverseGeocoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteFetcher.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMarker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteResultsViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FIRMessagingExtensionHelper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCircleRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolylineRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolylineRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayPathRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolygonRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolygonRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKTileOverlayRenderer.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearchCompleter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPointOfInterestFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDistanceFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapSnapshotter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSURLTileLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSTileLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSSyncTileLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPolygonLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMarkerLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSOverlayLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCalculator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GMSCoordinateBounds.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GooglePlaces.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirectionsTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSUISettings.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestoreSettings.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FIRDynamicLinks.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FirebaseDynamicLinks.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSGeometryUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocationManager+CLVisitExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirections.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapSnapshotOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GMSDeprecationMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GMSCompatabilityMacros.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCoordinateBounds+GoogleMaps.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GoogleMaps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestoreErrors.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacesErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSOpeningHours.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSAddress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FDLURLComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MapKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLVisit.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageListResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacesClient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteMatchFragment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAddressComponent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLBeaconIdentityConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPoint.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRGeoPoint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapSnapshot.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRDocumentSnapshot.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRQuerySnapshot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirectionsRequest.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacePhotoMetadataList.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceLikelihoodList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKScaleView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCircleView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolylineView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/HCSStarRatingView/HCSStarRatingView.framework/Headers/HCSStarRatingView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayPathView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolygonView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarSeparatorDecorationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKAnnotationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPinAnnotationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMarkerAnnotationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapView.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarHeaderView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarWeekdayView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSIndoorDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlay.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSOverlay.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSGroundOverlay.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKTileOverlay.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapCameraBoundary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRQuery.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPointOfInterestCategory.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationFactory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/CommonCrypto/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/HCSStarRatingView/HCSStarRatingView.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MessageUI.framework/Headers/MessageUI.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/SafariServices.framework/Headers/SafariServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MapKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/kristoferhuang/Desktop/Worktide/build/Worktide.build/Debug-iphonesimulator/Worktide.build/Objects-normal/x86_64/WhatsNewViewController~partial.swiftmodule : /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperForUploadingData.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UITextField.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIImage.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/GMSCircle.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/Date.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/AppDelegate.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/MSMutableStringAttribute.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperForReading.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperLoading.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIString.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperForCalculating.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/ServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/RecommendedServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/SpecifiedServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/CreateServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ImageModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/TimeRangeModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/ScheduleModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/UserScheduleModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/BookingsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/SettingsOptionsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AppointmentsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/ServicerAppointmentsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/AvailableDaysModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/ServiceSpotlightModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/JobCategoryModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ServiceCategoy/ServiceCategoryModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/AvailabilityModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/UserAvailabilityModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/AboutServiceCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/DaysAvailableCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/CategoryCollectionCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CollectionViewHeaderCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/ServicesCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ImagesCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/AddImagesCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/AccountSettingsCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ServiceCategoy/ServiceDetailsCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/SelectAppointmentCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/ViewAppointmentCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/PeopleListCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/CollectionViewCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/MapViewCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/BrowseByCategoryCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/TimeAvailabilityCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/Protocol.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/CLLocationCoordiante2DExtension.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/IntExtension.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServiceLocation.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/UserServiceHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/ProfileHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/SectionTitleHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/AccountSettingsHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/MainViewHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ImagePickerManager.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/CompletedController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/NameServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/CreateServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/New\ Group1/UserServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/TimeSelectServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/AboutServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ReviewNewServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/ProfileController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/UsersNameController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServiceSchedulingController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/SplashScreenController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/New\ Group/LoginController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/BeforeLoginController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/NotificationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CompleteProfileControllers/EnableLocationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/GetUserLocationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServiceExtraInformationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ChangeServiceInformationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/ScheduleExceptionController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/TabBarController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CalendarAppointment/BreakCalendarController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/VerifyPhoneNumberController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/BookServicesController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/AddImagesController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/QuestionsController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AppointmentsController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/ConfirmAppointmentController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/ViewAppointmentController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/SupportController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/LearnMoreViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/MainViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileImageSetupViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AppointmentsViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/WhatsNewViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServicePayController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ServiceCategoy/ServicesByCategoryController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AvailabilityController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CalendarAppointment/DaysAvailabilityController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIColor.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/MyServicesCells.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperViewTransitions.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/TitleHeaders.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIImageView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UITableView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIStackView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIScrollView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UICollectionView.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreLocation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/MapKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreLocation.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/MapKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FirebaseFirestore-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FirebaseMessaging-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FirebaseInAppMessaging-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FirebaseDynamicLinks-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/HCSStarRatingView/HCSStarRatingView.framework/Headers/HCSStarRatingView-umbrella.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanorama.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaCamera.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapCamera.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacePhotoMetadata.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRSnapshotMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceLikelihood.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRCollectionReference.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRDocumentReference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaSource.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteTableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestoreSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlusCode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteBoundsMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapCameraZoomRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRDocumentChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCircle.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCircle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSStrokeStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolyline.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPolyline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKGeodesicPolyline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolyline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestore.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FirebaseFirestore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GoogleMapsBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/kristoferhuang/Desktop/Worktide/Pods/Firebase/CoreOnly/Sources/Firebase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearchResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirectionsResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCameraUpdate.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaCameraUpdate.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocationManagerDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFieldValue.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLHeading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSIndoorBuilding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FIRMessaging.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FirebaseMessaging.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FIRInAppMessaging.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FirebaseInAppMessaging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FIRInAppMessagingRendering.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRWriteBatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPath.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFieldPath.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMutablePath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaLink.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FIRDynamicLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPlacemark.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLPlacemark.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceFieldMask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthCredential.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSIndoorLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKUserTrackingBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/NSUserActivity+MKMapItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSStyleSpan.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteSessionToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLErrorDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolygon.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPolygon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolygon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLBeaconRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLCircularRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKUserLocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapView+Animation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRListenerRegistration.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSOrientation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKClusterAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPointAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKGeoJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRTransaction.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSProjection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompletePrediction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCameraPosition.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FIRDynamicLinksCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKUserTrackingButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCompassButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRTimestamp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDynamicHeader.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarStickyHeader.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFederatedAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGameCenterAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLGeocoder.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSGeocoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKReverseGeocoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteFetcher.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMarker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteResultsViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FIRMessagingExtensionHelper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCircleRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolylineRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolylineRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayPathRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolygonRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolygonRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKTileOverlayRenderer.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearchCompleter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPointOfInterestFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDistanceFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapSnapshotter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSURLTileLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSTileLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSSyncTileLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPolygonLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMarkerLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSOverlayLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCalculator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GMSCoordinateBounds.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GooglePlaces.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirectionsTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSUISettings.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestoreSettings.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FIRDynamicLinks.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FirebaseDynamicLinks.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSGeometryUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocationManager+CLVisitExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirections.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapSnapshotOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GMSDeprecationMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GMSCompatabilityMacros.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCoordinateBounds+GoogleMaps.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GoogleMaps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestoreErrors.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacesErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSOpeningHours.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSAddress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FDLURLComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MapKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLVisit.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageListResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacesClient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteMatchFragment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAddressComponent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLBeaconIdentityConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPoint.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRGeoPoint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapSnapshot.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRDocumentSnapshot.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRQuerySnapshot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirectionsRequest.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacePhotoMetadataList.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceLikelihoodList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKScaleView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCircleView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolylineView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/HCSStarRatingView/HCSStarRatingView.framework/Headers/HCSStarRatingView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayPathView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolygonView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarSeparatorDecorationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKAnnotationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPinAnnotationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMarkerAnnotationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapView.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarHeaderView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarWeekdayView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSIndoorDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlay.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSOverlay.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSGroundOverlay.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKTileOverlay.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapCameraBoundary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRQuery.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPointOfInterestCategory.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationFactory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/CommonCrypto/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/HCSStarRatingView/HCSStarRatingView.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MessageUI.framework/Headers/MessageUI.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/SafariServices.framework/Headers/SafariServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MapKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/kristoferhuang/Desktop/Worktide/build/Worktide.build/Debug-iphonesimulator/Worktide.build/Objects-normal/x86_64/WhatsNewViewController~partial.swiftdoc : /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperForUploadingData.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UITextField.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIImage.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/GMSCircle.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/Date.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/AppDelegate.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/MSMutableStringAttribute.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperForReading.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperLoading.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIString.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperForCalculating.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/ServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/RecommendedServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/SpecifiedServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/CreateServiceModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ImageModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/TimeRangeModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/ScheduleModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/UserScheduleModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/BookingsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/SettingsOptionsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AppointmentsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/ServicerAppointmentsModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Model/AvailableDaysModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/ServiceSpotlightModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/JobCategoryModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ServiceCategoy/ServiceCategoryModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/AvailabilityModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Model/UserAvailabilityModel.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/AboutServiceCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/DaysAvailableCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/CategoryCollectionCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CollectionViewHeaderCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/ServicesCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ImagesCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/AddImagesCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/AccountSettingsCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ServiceCategoy/ServiceDetailsCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/SelectAppointmentCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/ViewAppointmentCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/PeopleListCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/CollectionViewCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/MapViewCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/BrowseByCategoryCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/TimeAvailabilityCell.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/Protocol.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/CLLocationCoordiante2DExtension.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/IntExtension.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServiceLocation.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/UserServiceHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/ProfileHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/SectionTitleHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/AccountSettingsHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/MainViewHeader.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ImagePickerManager.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/CompletedController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/NameServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/CreateServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/New\ Group1/UserServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/TimeSelectServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/AboutServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ReviewNewServiceController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/ProfileController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/UsersNameController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServiceSchedulingController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/SplashScreenController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/New\ Group/LoginController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/BeforeLoginController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/NotificationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CompleteProfileControllers/EnableLocationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/GetUserLocationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServiceExtraInformationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ChangeServiceInformationController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/ScheduleExceptionController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/TabBarController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CalendarAppointment/BreakCalendarController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/InitialControllers/VerifyPhoneNumberController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/BookServicesController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/AddImagesController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/QuestionsController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AppointmentsController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/ConfirmAppointmentController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/ViewAppointmentController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/SupportController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/LearnMoreViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/MainViewController/MainViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileImageSetupViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AppointmentsViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/WhatsNewViewController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CreateServices/ServicePayController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ServiceCategoy/ServicesByCategoryController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/AppointmentController/AvailabilityController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/CalendarAppointment/DaysAvailabilityController.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIColor.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/ProfileSection/MyServicesCells.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Helper/HelperViewTransitions.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/ViewControllers/UserServiceController/Cells/TitleHeaders.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIImageView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UITableView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIStackView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UIScrollView.swift /Users/kristoferhuang/Desktop/Worktide/Worktide/Extensions/UICollectionView.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreLocation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/MapKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreLocation.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/MapKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Headers/FirebaseInstanceID-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FirebaseFirestore-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FirebaseMessaging-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FirebaseInAppMessaging-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FirebaseDynamicLinks-umbrella.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/HCSStarRatingView/HCSStarRatingView.framework/Headers/HCSStarRatingView-umbrella.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanorama.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaCamera.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapCamera.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacePhotoMetadata.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRSnapshotMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceLikelihood.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRCollectionReference.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRDocumentReference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaSource.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteTableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestoreSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlusCode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteBoundsMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapCameraZoomRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRDocumentChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCircle.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCircle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSStrokeStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolyline.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPolyline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKGeodesicPolyline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolyline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestore.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FirebaseFirestore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GoogleMapsBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/kristoferhuang/Desktop/Worktide/Pods/Firebase/CoreOnly/Sources/Firebase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearchResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirectionsResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCameraUpdate.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaCameraUpdate.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocationManagerDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFieldValue.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLHeading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSIndoorBuilding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FIRMessaging.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FirebaseMessaging.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FIRInAppMessaging.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FirebaseInAppMessaging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Headers/FIRInAppMessagingRendering.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRWriteBatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPath.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFieldPath.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMutablePath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaLink.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FIRDynamicLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPlacemark.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLPlacemark.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceFieldMask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthCredential.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSIndoorLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKUserTrackingBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/NSUserActivity+MKMapItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSStyleSpan.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteSessionToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLErrorDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolygon.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPolygon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolygon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLBeaconRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLCircularRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKUserLocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapView+Animation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRListenerRegistration.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSOrientation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKClusterAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPointAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKGeoJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRTransaction.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSProjection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompletePrediction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCameraPosition.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FIRDynamicLinksCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKUserTrackingButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCompassButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRTimestamp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDynamicHeader.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarStickyHeader.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFederatedAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGameCenterAuthProvider.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLGeocoder.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSGeocoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKReverseGeocoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteFetcher.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMarker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteResultsViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers/FIRMessagingExtensionHelper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCircleRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolylineRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolylineRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayPathRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolygonRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPolygonRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKTileOverlayRenderer.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearchCompleter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPointOfInterestFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDistanceFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapSnapshotter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSURLTileLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSTileLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSSyncTileLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPolygonLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMarkerLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSOverlayLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCalculator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GMSCoordinateBounds.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GooglePlaces.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirectionsTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSUISettings.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestoreSettings.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FIRDynamicLinks.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FirebaseDynamicLinks.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSGeometryUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLLocationManager+CLVisitExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirections.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapSnapshotOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GMSDeprecationMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Headers/GMSCompatabilityMacros.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSCoordinateBounds+GoogleMaps.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GoogleMaps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRFirestoreErrors.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacesErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSOpeningHours.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSAddress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Headers/FDLURLComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MapKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLVisit.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageListResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacesClient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAutocompleteMatchFragment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSAddressComponent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLBeaconIdentityConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMultiPoint.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRGeoPoint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapSnapshot.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRDocumentSnapshot.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRQuerySnapshot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKLocalSearchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKDirectionsRequest.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlacePhotoMetadataList.h /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Headers/GMSPlaceLikelihoodList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSPanoramaView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKScaleView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKCircleView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolylineView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/HCSStarRatingView/HCSStarRatingView.framework/Headers/HCSStarRatingView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayPathView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPolygonView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarSeparatorDecorationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKAnnotationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPinAnnotationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMarkerAnnotationView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapView.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSMapView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarHeaderView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarWeekdayView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlayView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSIndoorDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKOverlay.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSOverlay.h /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Headers/GMSGroundOverlay.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKTileOverlay.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKMapCameraBoundary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Headers/FIRQuery.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKPointOfInterestCategory.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationFactory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MKGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CLAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/CommonCrypto/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInstanceID/FirebaseInstanceID.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseFirestore/FirebaseFirestore.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Base/Frameworks/GoogleMapsBase.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseInAppMessaging/FirebaseInAppMessaging.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/GooglePlaces/Frameworks/GooglePlaces.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/FirebaseDynamicLinks/FirebaseDynamicLinks.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/Pods/GoogleMaps/Maps/Frameworks/GoogleMaps.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Users/kristoferhuang/Desktop/Worktide/build/Debug-iphonesimulator/HCSStarRatingView/HCSStarRatingView.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MessageUI.framework/Headers/MessageUI.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/SafariServices.framework/Headers/SafariServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MapKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/* * ntstatus.d * * This is a binding of ntstatus.h to D. The original notices are preserved * below. * * Author: Dave Wilkinson * Originated: November 24th 2009 * */ module binding.win32.ntstatus; import binding.win32.windef; import binding.win32.winnt; typedef LONG NTSTATUS; /*++ BUILD Version: 0005 // Increment this if a change has global effects Copyright (c) Microsoft Corporation. All rights reserved. Module Name: ntstatus.h Abstract: Constant definitions for the NTSTATUS values. Author: Portable Systems Group 30-Mar-1989 Revision History: Notes: This file is generated by the MC tool from the ntstatus.mc file. Please add new error values to the end of the file. To do otherwise will jumble the error values. --*/ // begin_ntsecapi /*lint -save -e767 */ // Don't complain about different definitions // winnt ///////////////////////////////////////////////////////////////////////// // // Please update FACILITY_MAXIMUM_VALUE when adding new facility values. // // ///////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////// // // Standard Success values // // ///////////////////////////////////////////////////////////////////////// // // The success status codes 0 - 63 are reserved for wait completion status. // FacilityCodes 0x5 - 0xF have been allocated by various drivers. // const auto STATUS_SUCCESS = (cast(NTSTATUS)0x00000000L) ; // ntsubauth // // Values are 32 bit values laid out as follows: // // 3 3 2 2 2 2 2 2 2 2 2 2 1 1 1 1 1 1 1 1 1 1 // 1 0 9 8 7 6 5 4 3 2 1 0 9 8 7 6 5 4 3 2 1 0 9 8 7 6 5 4 3 2 1 0 // +---+-+-+-----------------------+-------------------------------+ // |Sev|C|R| Facility | Code | // +---+-+-+-----------------------+-------------------------------+ // // where // // Sev - is the severity code // // 00 - Success // 01 - Informational // 10 - Warning // 11 - Error // // C - is the Customer code flag // // R - is a reserved bit // // Facility - is the facility code // // Code - is the facility's status code // // // Define the facility codes // const auto FACILITY_VIDEO = 0x1B; const auto FACILITY_USB_ERROR_CODE = 0x10; const auto FACILITY_TRANSACTION = 0x19; const auto FACILITY_TERMINAL_SERVER = 0xA; const auto FACILITY_SXS_ERROR_CODE = 0x15; const auto FACILITY_NTSSPI = 0x9; const auto FACILITY_RPC_STUBS = 0x3; const auto FACILITY_RPC_RUNTIME = 0x2; const auto FACILITY_NTWIN32 = 0x7; const auto FACILITY_NDIS_ERROR_CODE = 0x23; const auto FACILTIY_MUI_ERROR_CODE = 0xB; const auto FACILITY_MONITOR = 0x1D; const auto FACILITY_MAXIMUM_VALUE = 0x37; const auto FACILITY_IPSEC = 0x36; const auto FACILITY_IO_ERROR_CODE = 0x4; const auto FACILITY_HYPERVISOR = 0x35; const auto FACILITY_HID_ERROR_CODE = 0x11; const auto FACILITY_GRAPHICS_KERNEL = 0x1E; const auto FACILITY_FWP_ERROR_CODE = 0x22; const auto FACILITY_FVE_ERROR_CODE = 0x21; const auto FACILITY_FIREWIRE_ERROR_CODE = 0x12; const auto FACILITY_FILTER_MANAGER = 0x1C; const auto FACILITY_DRIVER_FRAMEWORK = 0x20; const auto FACILITY_DEBUGGER = 0x1; const auto FACILITY_COMMONLOG = 0x1A; const auto FACILITY_CLUSTER_ERROR_CODE = 0x13; const auto FACILITY_ACPI_ERROR_CODE = 0x14; // // Define the severity codes // const auto STATUS_SEVERITY_WARNING = 0x2; const auto STATUS_SEVERITY_SUCCESS = 0x0; const auto STATUS_SEVERITY_INFORMATIONAL = 0x1; const auto STATUS_SEVERITY_ERROR = 0x3; // // MessageId: STATUS_WAIT_0 // // MessageText: // // STATUS_WAIT_0 // //const auto STATUS_WAIT_0 = (cast(NTSTATUS)0x00000000L) ; // winnt // // MessageId: STATUS_WAIT_1 // // MessageText: // // STATUS_WAIT_1 // const auto STATUS_WAIT_1 = (cast(NTSTATUS)0x00000001L); // // MessageId: STATUS_WAIT_2 // // MessageText: // // STATUS_WAIT_2 // const auto STATUS_WAIT_2 = (cast(NTSTATUS)0x00000002L); // // MessageId: STATUS_WAIT_3 // // MessageText: // // STATUS_WAIT_3 // const auto STATUS_WAIT_3 = (cast(NTSTATUS)0x00000003L); // // MessageId: STATUS_WAIT_63 // // MessageText: // // STATUS_WAIT_63 // const auto STATUS_WAIT_63 = (cast(NTSTATUS)0x0000003FL); // // The success status codes 128 - 191 are reserved for wait completion // status with an abandoned mutant object. // const auto STATUS_ABANDONED = (cast(NTSTATUS)0x00000080L); // // MessageId: STATUS_ABANDONED_WAIT_0 // // MessageText: // // STATUS_ABANDONED_WAIT_0 // //const auto STATUS_ABANDONED_WAIT_0 = (cast(NTSTATUS)0x00000080L) ; // winnt // // MessageId: STATUS_ABANDONED_WAIT_63 // // MessageText: // // STATUS_ABANDONED_WAIT_63 // const auto STATUS_ABANDONED_WAIT_63 = (cast(NTSTATUS)0x000000BFL); // // The success status codes 256, 257, 258, and 258 are reserved for // User APC, Kernel APC, Alerted, and Timeout. // // // MessageId: STATUS_USER_APC // // MessageText: // // STATUS_USER_APC // //const auto STATUS_USER_APC = (cast(NTSTATUS)0x000000C0L) ; // winnt // // MessageId: STATUS_KERNEL_APC // // MessageText: // // STATUS_KERNEL_APC // const auto STATUS_KERNEL_APC = (cast(NTSTATUS)0x00000100L); // // MessageId: STATUS_ALERTED // // MessageText: // // STATUS_ALERTED // const auto STATUS_ALERTED = (cast(NTSTATUS)0x00000101L); // // MessageId: STATUS_TIMEOUT // // MessageText: // // STATUS_TIMEOUT // const auto STATUS_TIMEOUT = (cast(NTSTATUS)0x00000102L) ; // winnt // // MessageId: STATUS_PENDING // // MessageText: // // The operation that was requested is pending completion. // //const auto STATUS_PENDING = (cast(NTSTATUS)0x00000103L) ; // winnt // // MessageId: STATUS_REPARSE // // MessageText: // // A reparse should be performed by the Object Manager since the name of the file resulted in a symbolic link. // const auto STATUS_REPARSE = (cast(NTSTATUS)0x00000104L); // // MessageId: STATUS_MORE_ENTRIES // // MessageText: // // Returned by enumeration APIs to indicate more information is available to successive calls. // const auto STATUS_MORE_ENTRIES = (cast(NTSTATUS)0x00000105L); // // MessageId: STATUS_NOT_ALL_ASSIGNED // // MessageText: // // Indicates not all privileges or groups referenced are assigned to the caller. // This allows, for example, all privileges to be disabled without having to know exactly which privileges are assigned. // const auto STATUS_NOT_ALL_ASSIGNED = (cast(NTSTATUS)0x00000106L); // // MessageId: STATUS_SOME_NOT_MAPPED // // MessageText: // // Some of the information to be translated has not been translated. // const auto STATUS_SOME_NOT_MAPPED = (cast(NTSTATUS)0x00000107L); // // MessageId: STATUS_OPLOCK_BREAK_IN_PROGRESS // // MessageText: // // An open/create operation completed while an oplock break is underway. // const auto STATUS_OPLOCK_BREAK_IN_PROGRESS = (cast(NTSTATUS)0x00000108L); // // MessageId: STATUS_VOLUME_MOUNTED // // MessageText: // // A new volume has been mounted by a file system. // const auto STATUS_VOLUME_MOUNTED = (cast(NTSTATUS)0x00000109L); // // MessageId: STATUS_RXACT_COMMITTED // // MessageText: // // This success level status indicates that the transaction state already exists for the registry sub-tree, but that a transaction commit was previously aborted. // The commit has now been completed. // const auto STATUS_RXACT_COMMITTED = (cast(NTSTATUS)0x0000010AL); // // MessageId: STATUS_NOTIFY_CLEANUP // // MessageText: // // This indicates that a notify change request has been completed due to closing the handle which made the notify change request. // const auto STATUS_NOTIFY_CLEANUP = (cast(NTSTATUS)0x0000010BL); // // MessageId: STATUS_NOTIFY_ENUM_DIR // // MessageText: // // This indicates that a notify change request is being completed and that the information is not being returned in the caller's buffer. // The caller now needs to enumerate the files to find the changes. // const auto STATUS_NOTIFY_ENUM_DIR = (cast(NTSTATUS)0x0000010CL); // // MessageId: STATUS_NO_QUOTAS_FOR_ACCOUNT // // MessageText: // // {No Quotas} // No system quota limits are specifically set for this account. // const auto STATUS_NO_QUOTAS_FOR_ACCOUNT = (cast(NTSTATUS)0x0000010DL); // // MessageId: STATUS_PRIMARY_TRANSPORT_CONNECT_FAILED // // MessageText: // // {Connect Failure on Primary Transport} // An attempt was made to connect to the remote server %hs on the primary transport, but the connection failed. // The computer WAS able to connect on a secondary transport. // const auto STATUS_PRIMARY_TRANSPORT_CONNECT_FAILED = (cast(NTSTATUS)0x0000010EL); // // MessageId: STATUS_PAGE_FAULT_TRANSITION // // MessageText: // // Page fault was a transition fault. // const auto STATUS_PAGE_FAULT_TRANSITION = (cast(NTSTATUS)0x00000110L); // // MessageId: STATUS_PAGE_FAULT_DEMAND_ZERO // // MessageText: // // Page fault was a demand zero fault. // const auto STATUS_PAGE_FAULT_DEMAND_ZERO = (cast(NTSTATUS)0x00000111L); // // MessageId: STATUS_PAGE_FAULT_COPY_ON_WRITE // // MessageText: // // Page fault was a demand zero fault. // const auto STATUS_PAGE_FAULT_COPY_ON_WRITE = (cast(NTSTATUS)0x00000112L); // // MessageId: STATUS_PAGE_FAULT_GUARD_PAGE // // MessageText: // // Page fault was a demand zero fault. // const auto STATUS_PAGE_FAULT_GUARD_PAGE = (cast(NTSTATUS)0x00000113L); // // MessageId: STATUS_PAGE_FAULT_PAGING_FILE // // MessageText: // // Page fault was satisfied by reading from a secondary storage device. // const auto STATUS_PAGE_FAULT_PAGING_FILE = (cast(NTSTATUS)0x00000114L); // // MessageId: STATUS_CACHE_PAGE_LOCKED // // MessageText: // // Cached page was locked during operation. // const auto STATUS_CACHE_PAGE_LOCKED = (cast(NTSTATUS)0x00000115L); // // MessageId: STATUS_CRASH_DUMP // // MessageText: // // Crash dump exists in paging file. // const auto STATUS_CRASH_DUMP = (cast(NTSTATUS)0x00000116L); // // MessageId: STATUS_BUFFER_ALL_ZEROS // // MessageText: // // Specified buffer contains all zeros. // const auto STATUS_BUFFER_ALL_ZEROS = (cast(NTSTATUS)0x00000117L); // // MessageId: STATUS_REPARSE_OBJECT // // MessageText: // // A reparse should be performed by the Object Manager since the name of the file resulted in a symbolic link. // const auto STATUS_REPARSE_OBJECT = (cast(NTSTATUS)0x00000118L); // // MessageId: STATUS_RESOURCE_REQUIREMENTS_CHANGED // // MessageText: // // The device has succeeded a query-stop and its resource requirements have changed. // const auto STATUS_RESOURCE_REQUIREMENTS_CHANGED = (cast(NTSTATUS)0x00000119L); // // MessageId: STATUS_TRANSLATION_COMPLETE // // MessageText: // // The translator has translated these resources into the global space and no further translations should be performed. // const auto STATUS_TRANSLATION_COMPLETE = (cast(NTSTATUS)0x00000120L); // // MessageId: STATUS_DS_MEMBERSHIP_EVALUATED_LOCALLY // // MessageText: // // The directory service evaluated group memberships locally, as it was unable to contact a global catalog server. // const auto STATUS_DS_MEMBERSHIP_EVALUATED_LOCALLY = (cast(NTSTATUS)0x00000121L); // // MessageId: STATUS_NOTHING_TO_TERMINATE // // MessageText: // // A process being terminated has no threads to terminate. // const auto STATUS_NOTHING_TO_TERMINATE = (cast(NTSTATUS)0x00000122L); // // MessageId: STATUS_PROCESS_NOT_IN_JOB // // MessageText: // // The specified process is not part of a job. // const auto STATUS_PROCESS_NOT_IN_JOB = (cast(NTSTATUS)0x00000123L); // // MessageId: STATUS_PROCESS_IN_JOB // // MessageText: // // The specified process is part of a job. // const auto STATUS_PROCESS_IN_JOB = (cast(NTSTATUS)0x00000124L); // // MessageId: STATUS_VOLSNAP_HIBERNATE_READY // // MessageText: // // {Volume Shadow Copy Service} // The system is now ready for hibernation. // const auto STATUS_VOLSNAP_HIBERNATE_READY = (cast(NTSTATUS)0x00000125L); // // MessageId: STATUS_FSFILTER_OP_COMPLETED_SUCCESSFULLY // // MessageText: // // A file system or file system filter driver has successfully completed an FsFilter operation. // const auto STATUS_FSFILTER_OP_COMPLETED_SUCCESSFULLY = (cast(NTSTATUS)0x00000126L); // // MessageId: STATUS_INTERRUPT_VECTOR_ALREADY_CONNECTED // // MessageText: // // The specified interrupt vector was already connected. // const auto STATUS_INTERRUPT_VECTOR_ALREADY_CONNECTED = (cast(NTSTATUS)0x00000127L); // // MessageId: STATUS_INTERRUPT_STILL_CONNECTED // // MessageText: // // The specified interrupt vector is still connected. // const auto STATUS_INTERRUPT_STILL_CONNECTED = (cast(NTSTATUS)0x00000128L); // // MessageId: STATUS_PROCESS_CLONED // // MessageText: // // The current process is a cloned process. // const auto STATUS_PROCESS_CLONED = (cast(NTSTATUS)0x00000129L); // // MessageId: STATUS_FILE_LOCKED_WITH_ONLY_READERS // // MessageText: // // The file was locked and all users of the file can only read. // const auto STATUS_FILE_LOCKED_WITH_ONLY_READERS = (cast(NTSTATUS)0x0000012AL); // // MessageId: STATUS_FILE_LOCKED_WITH_WRITERS // // MessageText: // // The file was locked and at least one user of the file can write. // const auto STATUS_FILE_LOCKED_WITH_WRITERS = (cast(NTSTATUS)0x0000012BL); // // MessageId: STATUS_RESOURCEMANAGER_READ_ONLY // // MessageText: // // The specified ResourceManager made no changes or updates to the resource under this transaction. // const auto STATUS_RESOURCEMANAGER_READ_ONLY = (cast(NTSTATUS)0x00000202L); // // MessageId: DBG_EXCEPTION_HANDLED // // MessageText: // // Debugger handled exception // const auto DBG_EXCEPTION_HANDLED = (cast(NTSTATUS)0x00010001L) ; // winnt // // MessageId: DBG_CONTINUE // // MessageText: // // Debugger continued // const auto DBG_CONTINUE = (cast(NTSTATUS)0x00010002L) ; // winnt // // MessageId: STATUS_FLT_IO_COMPLETE // // MessageText: // // The IO was completed by a filter. // const auto STATUS_FLT_IO_COMPLETE = (cast(NTSTATUS)0x001C0001L); ///////////////////////////////////////////////////////////////////////// // // Standard Information values // ///////////////////////////////////////////////////////////////////////// // // MessageId: STATUS_OBJECT_NAME_EXISTS // // MessageText: // // {Object Exists} // An attempt was made to create an object and the object name already existed. // const auto STATUS_OBJECT_NAME_EXISTS = (cast(NTSTATUS)0x40000000L); // // MessageId: STATUS_THREAD_WAS_SUSPENDED // // MessageText: // // {Thread Suspended} // A thread termination occurred while the thread was suspended. The thread was resumed, and termination proceeded. // const auto STATUS_THREAD_WAS_SUSPENDED = (cast(NTSTATUS)0x40000001L); // // MessageId: STATUS_WORKING_SET_LIMIT_RANGE // // MessageText: // // {Working Set Range Error} // An attempt was made to set the working set minimum or maximum to values which are outside of the allowable range. // const auto STATUS_WORKING_SET_LIMIT_RANGE = (cast(NTSTATUS)0x40000002L); // // MessageId: STATUS_IMAGE_NOT_AT_BASE // // MessageText: // // {Image Relocated} // An image file could not be mapped at the address specified in the image file. Local fixups must be performed on this image. // const auto STATUS_IMAGE_NOT_AT_BASE = (cast(NTSTATUS)0x40000003L); // // MessageId: STATUS_RXACT_STATE_CREATED // // MessageText: // // This informational level status indicates that a specified registry sub-tree transaction state did not yet exist and had to be created. // const auto STATUS_RXACT_STATE_CREATED = (cast(NTSTATUS)0x40000004L); // // MessageId: STATUS_SEGMENT_NOTIFICATION // // MessageText: // // {Segment Load} // A virtual DOS machine (VDM) is loading, unloading, or moving an MS-DOS or Win16 program segment image. // An exception is raised so a debugger can load, unload or track symbols and breakpoints within these 16-bit segments. // const auto STATUS_SEGMENT_NOTIFICATION = (cast(NTSTATUS)0x40000005L) ; // winnt // // MessageId: STATUS_LOCAL_USER_SESSION_KEY // // MessageText: // // {Local Session Key} // A user session key was requested for a local RPC connection. The session key returned is a constant value and not unique to this connection. // const auto STATUS_LOCAL_USER_SESSION_KEY = (cast(NTSTATUS)0x40000006L); // // MessageId: STATUS_BAD_CURRENT_DIRECTORY // // MessageText: // // {Invalid Current Directory} // The process cannot switch to the startup current directory %hs. // Select OK to set current directory to %hs, or select CANCEL to exit. // const auto STATUS_BAD_CURRENT_DIRECTORY = (cast(NTSTATUS)0x40000007L); // // MessageId: STATUS_SERIAL_MORE_WRITES // // MessageText: // // {Serial IOCTL Complete} // A serial I/O operation was completed by another write to a serial port. // (The IOCTL_SERIAL_XOFF_COUNTER reached zero.) // const auto STATUS_SERIAL_MORE_WRITES = (cast(NTSTATUS)0x40000008L); // // MessageId: STATUS_REGISTRY_RECOVERED // // MessageText: // // {Registry Recovery} // One of the files containing the system's Registry data had to be recovered by use of a log or alternate copy. // The recovery was successful. // const auto STATUS_REGISTRY_RECOVERED = (cast(NTSTATUS)0x40000009L); // // MessageId: STATUS_FT_READ_RECOVERY_FROM_BACKUP // // MessageText: // // {Redundant Read} // To satisfy a read request, the NT fault-tolerant file system successfully read the requested data from a redundant copy. // This was done because the file system encountered a failure on a member of the fault-tolerant volume, but was unable to reassign the failing area of the device. // const auto STATUS_FT_READ_RECOVERY_FROM_BACKUP = (cast(NTSTATUS)0x4000000AL); // // MessageId: STATUS_FT_WRITE_RECOVERY // // MessageText: // // {Redundant Write} // To satisfy a write request, the NT fault-tolerant file system successfully wrote a redundant copy of the information. // This was done because the file system encountered a failure on a member of the fault-tolerant volume, but was not able to reassign the failing area of the device. // const auto STATUS_FT_WRITE_RECOVERY = (cast(NTSTATUS)0x4000000BL); // // MessageId: STATUS_SERIAL_COUNTER_TIMEOUT // // MessageText: // // {Serial IOCTL Timeout} // A serial I/O operation completed because the time-out period expired. // (The IOCTL_SERIAL_XOFF_COUNTER had not reached zero.) // const auto STATUS_SERIAL_COUNTER_TIMEOUT = (cast(NTSTATUS)0x4000000CL); // // MessageId: STATUS_NULL_LM_PASSWORD // // MessageText: // // {Password Too Complex} // The Windows password is too complex to be converted to a LAN Manager password. // The LAN Manager password returned is a NULL string. // const auto STATUS_NULL_LM_PASSWORD = (cast(NTSTATUS)0x4000000DL); // // MessageId: STATUS_IMAGE_MACHINE_TYPE_MISMATCH // // MessageText: // // {Machine Type Mismatch} // The image file %hs is valid, but is for a machine type other than the current machine. Select OK to continue, or CANCEL to fail the DLL load. // const auto STATUS_IMAGE_MACHINE_TYPE_MISMATCH = (cast(NTSTATUS)0x4000000EL); // // MessageId: STATUS_RECEIVE_PARTIAL // // MessageText: // // {Partial Data Received} // The network transport returned partial data to its client. The remaining data will be sent later. // const auto STATUS_RECEIVE_PARTIAL = (cast(NTSTATUS)0x4000000FL); // // MessageId: STATUS_RECEIVE_EXPEDITED // // MessageText: // // {Expedited Data Received} // The network transport returned data to its client that was marked as expedited by the remote system. // const auto STATUS_RECEIVE_EXPEDITED = (cast(NTSTATUS)0x40000010L); // // MessageId: STATUS_RECEIVE_PARTIAL_EXPEDITED // // MessageText: // // {Partial Expedited Data Received} // The network transport returned partial data to its client and this data was marked as expedited by the remote system. The remaining data will be sent later. // const auto STATUS_RECEIVE_PARTIAL_EXPEDITED = (cast(NTSTATUS)0x40000011L); // // MessageId: STATUS_EVENT_DONE // // MessageText: // // {TDI Event Done} // The TDI indication has completed successfully. // const auto STATUS_EVENT_DONE = (cast(NTSTATUS)0x40000012L); // // MessageId: STATUS_EVENT_PENDING // // MessageText: // // {TDI Event Pending} // The TDI indication has entered the pending state. // const auto STATUS_EVENT_PENDING = (cast(NTSTATUS)0x40000013L); // // MessageId: STATUS_CHECKING_FILE_SYSTEM // // MessageText: // // Checking file system on %wZ // const auto STATUS_CHECKING_FILE_SYSTEM = (cast(NTSTATUS)0x40000014L); // // MessageId: STATUS_FATAL_APP_EXIT // // MessageText: // // {Fatal Application Exit} // %hs // const auto STATUS_FATAL_APP_EXIT = (cast(NTSTATUS)0x40000015L); // // MessageId: STATUS_PREDEFINED_HANDLE // // MessageText: // // The specified registry key is referenced by a predefined handle. // const auto STATUS_PREDEFINED_HANDLE = (cast(NTSTATUS)0x40000016L); // // MessageId: STATUS_WAS_UNLOCKED // // MessageText: // // {Page Unlocked} // The page protection of a locked page was changed to 'No Access' and the page was unlocked from memory and from the process. // const auto STATUS_WAS_UNLOCKED = (cast(NTSTATUS)0x40000017L); // // MessageId: STATUS_SERVICE_NOTIFICATION // // MessageText: // // %hs // const auto STATUS_SERVICE_NOTIFICATION = (cast(NTSTATUS)0x40000018L); // // MessageId: STATUS_WAS_LOCKED // // MessageText: // // {Page Locked} // One of the pages to lock was already locked. // const auto STATUS_WAS_LOCKED = (cast(NTSTATUS)0x40000019L); // // MessageId: STATUS_LOG_HARD_ERROR // // MessageText: // // Application popup: %1 : %2 // const auto STATUS_LOG_HARD_ERROR = (cast(NTSTATUS)0x4000001AL); // // MessageId: STATUS_ALREADY_WIN32 // // MessageText: // // STATUS_ALREADY_WIN32 // const auto STATUS_ALREADY_WIN32 = (cast(NTSTATUS)0x4000001BL); // // MessageId: STATUS_WX86_UNSIMULATE // // MessageText: // // Exception status code used by Win32 x86 emulation subsystem. // const auto STATUS_WX86_UNSIMULATE = (cast(NTSTATUS)0x4000001CL); // // MessageId: STATUS_WX86_CONTINUE // // MessageText: // // Exception status code used by Win32 x86 emulation subsystem. // const auto STATUS_WX86_CONTINUE = (cast(NTSTATUS)0x4000001DL); // // MessageId: STATUS_WX86_SINGLE_STEP // // MessageText: // // Exception status code used by Win32 x86 emulation subsystem. // const auto STATUS_WX86_SINGLE_STEP = (cast(NTSTATUS)0x4000001EL); // // MessageId: STATUS_WX86_BREAKPOINT // // MessageText: // // Exception status code used by Win32 x86 emulation subsystem. // const auto STATUS_WX86_BREAKPOINT = (cast(NTSTATUS)0x4000001FL); // // MessageId: STATUS_WX86_EXCEPTION_CONTINUE // // MessageText: // // Exception status code used by Win32 x86 emulation subsystem. // const auto STATUS_WX86_EXCEPTION_CONTINUE = (cast(NTSTATUS)0x40000020L); // // MessageId: STATUS_WX86_EXCEPTION_LASTCHANCE // // MessageText: // // Exception status code used by Win32 x86 emulation subsystem. // const auto STATUS_WX86_EXCEPTION_LASTCHANCE = (cast(NTSTATUS)0x40000021L); // // MessageId: STATUS_WX86_EXCEPTION_CHAIN // // MessageText: // // Exception status code used by Win32 x86 emulation subsystem. // const auto STATUS_WX86_EXCEPTION_CHAIN = (cast(NTSTATUS)0x40000022L); // // MessageId: STATUS_IMAGE_MACHINE_TYPE_MISMATCH_EXE // // MessageText: // // {Machine Type Mismatch} // The image file %hs is valid, but is for a machine type other than the current machine. // const auto STATUS_IMAGE_MACHINE_TYPE_MISMATCH_EXE = (cast(NTSTATUS)0x40000023L); // // MessageId: STATUS_NO_YIELD_PERFORMED // // MessageText: // // A yield execution was performed and no thread was available to run. // const auto STATUS_NO_YIELD_PERFORMED = (cast(NTSTATUS)0x40000024L); // // MessageId: STATUS_TIMER_RESUME_IGNORED // // MessageText: // // The resumable flag to a timer API was ignored. // const auto STATUS_TIMER_RESUME_IGNORED = (cast(NTSTATUS)0x40000025L); // // MessageId: STATUS_ARBITRATION_UNHANDLED // // MessageText: // // The arbiter has deferred arbitration of these resources to its parent // const auto STATUS_ARBITRATION_UNHANDLED = (cast(NTSTATUS)0x40000026L); // // MessageId: STATUS_CARDBUS_NOT_SUPPORTED // // MessageText: // // The device "%hs" has detected a CardBus card in its slot, but the firmware on this system is not configured to allow the CardBus controller to be run in CardBus mode. // The operating system will currently accept only 16-bit (R2) pc-cards on this controller. // const auto STATUS_CARDBUS_NOT_SUPPORTED = (cast(NTSTATUS)0x40000027L); // // MessageId: STATUS_WX86_CREATEWX86TIB // // MessageText: // // Exception status code used by Win32 x86 emulation subsystem. // const auto STATUS_WX86_CREATEWX86TIB = (cast(NTSTATUS)0x40000028L); // // MessageId: STATUS_MP_PROCESSOR_MISMATCH // // MessageText: // // The CPUs in this multiprocessor system are not all the same revision level. To use all processors the operating system restricts itself to the features of the least capable processor in the system. Should problems occur with this system, contact // the CPU manufacturer to see if this mix of processors is supported. // const auto STATUS_MP_PROCESSOR_MISMATCH = (cast(NTSTATUS)0x40000029L); // // MessageId: STATUS_HIBERNATED // // MessageText: // // The system was put into hibernation. // const auto STATUS_HIBERNATED = (cast(NTSTATUS)0x4000002AL) ; // // MessageId: STATUS_RESUME_HIBERNATION // // MessageText: // // The system was resumed from hibernation. // const auto STATUS_RESUME_HIBERNATION = (cast(NTSTATUS)0x4000002BL) ; // // MessageId: STATUS_FIRMWARE_UPDATED // // MessageText: // // Windows has detected that the system firmware (BIOS) was updated [previous firmware date = %2, current firmware date %3]. // const auto STATUS_FIRMWARE_UPDATED = (cast(NTSTATUS)0x4000002CL); // // MessageId: STATUS_DRIVERS_LEAKING_LOCKED_PAGES // // MessageText: // // A device driver is leaking locked I/O pages causing system degradation. The system has automatically enabled tracking code in order to try and catch the culprit. // const auto STATUS_DRIVERS_LEAKING_LOCKED_PAGES = (cast(NTSTATUS)0x4000002DL); // // MessageId: STATUS_MESSAGE_RETRIEVED // // MessageText: // // The ALPC message being canceled has already been retrieved from the queue on the other side. // const auto STATUS_MESSAGE_RETRIEVED = (cast(NTSTATUS)0x4000002EL); // // MessageId: STATUS_SYSTEM_POWERSTATE_TRANSITION // // MessageText: // // The system powerstate is transitioning from %2 to %3. // const auto STATUS_SYSTEM_POWERSTATE_TRANSITION = (cast(NTSTATUS)0x4000002FL) ; // // MessageId: STATUS_ALPC_CHECK_COMPLETION_LIST // // MessageText: // // The receive operation was successful. Check the ALPC completion list for the received message. // const auto STATUS_ALPC_CHECK_COMPLETION_LIST = (cast(NTSTATUS)0x40000030L); // // MessageId: STATUS_SYSTEM_POWERSTATE_COMPLEX_TRANSITION // // MessageText: // // The system powerstate is transitioning from %2 to %3 but could enter %4. // const auto STATUS_SYSTEM_POWERSTATE_COMPLEX_TRANSITION = (cast(NTSTATUS)0x40000031L) ; // // MessageId: STATUS_ACCESS_AUDIT_BY_POLICY // // MessageText: // // Access to %1 is monitored by policy rule %2. // const auto STATUS_ACCESS_AUDIT_BY_POLICY = (cast(NTSTATUS)0x40000032L) ; // // MessageId: STATUS_ABANDON_HIBERFILE // // MessageText: // // A valid hibernation file has been invalidated and should be abandoned. // const auto STATUS_ABANDON_HIBERFILE = (cast(NTSTATUS)0x40000033L); // // MessageId: STATUS_BIZRULES_NOT_ENABLED // // MessageText: // // Business rule scripts are disabled for the calling application. // const auto STATUS_BIZRULES_NOT_ENABLED = (cast(NTSTATUS)0x40000034L); // // MessageId: DBG_REPLY_LATER // // MessageText: // // Debugger will reply later. // const auto DBG_REPLY_LATER = (cast(NTSTATUS)0x40010001L); // // MessageId: DBG_UNABLE_TO_PROVIDE_HANDLE // // MessageText: // // Debugger cannot provide handle. // const auto DBG_UNABLE_TO_PROVIDE_HANDLE = (cast(NTSTATUS)0x40010002L); // // MessageId: DBG_TERMINATE_THREAD // // MessageText: // // Debugger terminated thread. // const auto DBG_TERMINATE_THREAD = (cast(NTSTATUS)0x40010003L) ; // winnt // // MessageId: DBG_TERMINATE_PROCESS // // MessageText: // // Debugger terminated process. // const auto DBG_TERMINATE_PROCESS = (cast(NTSTATUS)0x40010004L) ; // winnt // // MessageId: DBG_CONTROL_C // // MessageText: // // Debugger got control C. // const auto DBG_CONTROL_C = (cast(NTSTATUS)0x40010005L) ; // winnt // // MessageId: DBG_PRINTEXCEPTION_C // // MessageText: // // Debugger printed exception on control C. // const auto DBG_PRINTEXCEPTION_C = (cast(NTSTATUS)0x40010006L); // // MessageId: DBG_RIPEXCEPTION // // MessageText: // // Debugger received RIP exception. // const auto DBG_RIPEXCEPTION = (cast(NTSTATUS)0x40010007L); // // MessageId: DBG_CONTROL_BREAK // // MessageText: // // Debugger received control break. // const auto DBG_CONTROL_BREAK = (cast(NTSTATUS)0x40010008L) ; // winnt // // MessageId: DBG_COMMAND_EXCEPTION // // MessageText: // // Debugger command communication exception. // const auto DBG_COMMAND_EXCEPTION = (cast(NTSTATUS)0x40010009L) ; // winnt // // MessageId: STATUS_FLT_BUFFER_TOO_SMALL // // MessageText: // // {Buffer too small} // The buffer is too small to contain the entry. No information has been written to the buffer. // const auto STATUS_FLT_BUFFER_TOO_SMALL = (cast(NTSTATUS)0x801C0001L); ///////////////////////////////////////////////////////////////////////// // // Standard Warning values // // // Note: Do NOT use the value 0x80000000L, as this is a non-portable value // for the NT_SUCCESS macro. Warning values start with a code of 1. // ///////////////////////////////////////////////////////////////////////// // // MessageId: STATUS_GUARD_PAGE_VIOLATION // // MessageText: // // {EXCEPTION} // Guard Page Exception // A page of memory that marks the end of a data structure, such as a stack or an array, has been accessed. // //const auto STATUS_GUARD_PAGE_VIOLATION = (cast(NTSTATUS)0x80000001L) ; // winnt // // MessageId: STATUS_DATATYPE_MISALIGNMENT // // MessageText: // // {EXCEPTION} // Alignment Fault // A datatype misalignment was detected in a load or store instruction. // //const auto STATUS_DATATYPE_MISALIGNMENT = (cast(NTSTATUS)0x80000002L) ; // winnt // // MessageId: STATUS_BREAKPOINT // // MessageText: // // {EXCEPTION} // Breakpoint // A breakpoint has been reached. // //const auto STATUS_BREAKPOINT = (cast(NTSTATUS)0x80000003L) ; // winnt // // MessageId: STATUS_SINGLE_STEP // // MessageText: // // {EXCEPTION} // Single Step // A single step or trace operation has just been completed. // //const auto STATUS_SINGLE_STEP = (cast(NTSTATUS)0x80000004L) ; // winnt // // MessageId: STATUS_BUFFER_OVERFLOW // // MessageText: // // {Buffer Overflow} // The data was too large to fit into the specified buffer. // const auto STATUS_BUFFER_OVERFLOW = (cast(NTSTATUS)0x80000005L); // // MessageId: STATUS_NO_MORE_FILES // // MessageText: // // {No More Files} // No more files were found which match the file specification. // const auto STATUS_NO_MORE_FILES = (cast(NTSTATUS)0x80000006L); // // MessageId: STATUS_WAKE_SYSTEM_DEBUGGER // // MessageText: // // {Kernel Debugger Awakened} // the system debugger was awakened by an interrupt. // const auto STATUS_WAKE_SYSTEM_DEBUGGER = (cast(NTSTATUS)0x80000007L); // // MessageId: STATUS_HANDLES_CLOSED // // MessageText: // // {Handles Closed} // Handles to objects have been automatically closed as a result of the requested operation. // const auto STATUS_HANDLES_CLOSED = (cast(NTSTATUS)0x8000000AL); // // MessageId: STATUS_NO_INHERITANCE // // MessageText: // // {Non-Inheritable ACL} // An access control list (ACL) contains no components that can be inherited. // const auto STATUS_NO_INHERITANCE = (cast(NTSTATUS)0x8000000BL); // // MessageId: STATUS_GUID_SUBSTITUTION_MADE // // MessageText: // // {GUID Substitution} // During the translation of a global identifier (GUID) to a Windows security ID (SID), no administratively-defined GUID prefix was found. // A substitute prefix was used, which will not compromise system security. // However, this may provide a more restrictive access than intended. // const auto STATUS_GUID_SUBSTITUTION_MADE = (cast(NTSTATUS)0x8000000CL); // // MessageId: STATUS_PARTIAL_COPY // // MessageText: // // {Partial Copy} // Due to protection conflicts not all the requested bytes could be copied. // const auto STATUS_PARTIAL_COPY = (cast(NTSTATUS)0x8000000DL); // // MessageId: STATUS_DEVICE_PAPER_EMPTY // // MessageText: // // {Out of Paper} // The printer is out of paper. // const auto STATUS_DEVICE_PAPER_EMPTY = (cast(NTSTATUS)0x8000000EL); // // MessageId: STATUS_DEVICE_POWERED_OFF // // MessageText: // // {Device Power Is Off} // The printer power has been turned off. // const auto STATUS_DEVICE_POWERED_OFF = (cast(NTSTATUS)0x8000000FL); // // MessageId: STATUS_DEVICE_OFF_LINE // // MessageText: // // {Device Offline} // The printer has been taken offline. // const auto STATUS_DEVICE_OFF_LINE = (cast(NTSTATUS)0x80000010L); // // MessageId: STATUS_DEVICE_BUSY // // MessageText: // // {Device Busy} // The device is currently busy. // const auto STATUS_DEVICE_BUSY = (cast(NTSTATUS)0x80000011L); // // MessageId: STATUS_NO_MORE_EAS // // MessageText: // // {No More EAs} // No more extended attributes (EAs) were found for the file. // const auto STATUS_NO_MORE_EAS = (cast(NTSTATUS)0x80000012L); // // MessageId: STATUS_INVALID_EA_NAME // // MessageText: // // {Illegal EA} // The specified extended attribute (EA) name contains at least one illegal character. // const auto STATUS_INVALID_EA_NAME = (cast(NTSTATUS)0x80000013L); // // MessageId: STATUS_EA_LIST_INCONSISTENT // // MessageText: // // {Inconsistent EA List} // The extended attribute (EA) list is inconsistent. // const auto STATUS_EA_LIST_INCONSISTENT = (cast(NTSTATUS)0x80000014L); // // MessageId: STATUS_INVALID_EA_FLAG // // MessageText: // // {Invalid EA Flag} // An invalid extended attribute (EA) flag was set. // const auto STATUS_INVALID_EA_FLAG = (cast(NTSTATUS)0x80000015L); // // MessageId: STATUS_VERIFY_REQUIRED // // MessageText: // // {Verifying Disk} // The media has changed and a verify operation is in progress so no reads or writes may be performed to the device, except those used in the verify operation. // const auto STATUS_VERIFY_REQUIRED = (cast(NTSTATUS)0x80000016L); // // MessageId: STATUS_EXTRANEOUS_INFORMATION // // MessageText: // // {Too Much Information} // The specified access control list (ACL) contained more information than was expected. // const auto STATUS_EXTRANEOUS_INFORMATION = (cast(NTSTATUS)0x80000017L); // // MessageId: STATUS_RXACT_COMMIT_NECESSARY // // MessageText: // // This warning level status indicates that the transaction state already exists for the registry sub-tree, but that a transaction commit was previously aborted. // The commit has NOT been completed, but has not been rolled back either (so it may still be committed if desired). // const auto STATUS_RXACT_COMMIT_NECESSARY = (cast(NTSTATUS)0x80000018L); // // MessageId: STATUS_NO_MORE_ENTRIES // // MessageText: // // {No More Entries} // No more entries are available from an enumeration operation. // const auto STATUS_NO_MORE_ENTRIES = (cast(NTSTATUS)0x8000001AL); // // MessageId: STATUS_FILEMARK_DETECTED // // MessageText: // // {Filemark Found} // A filemark was detected. // const auto STATUS_FILEMARK_DETECTED = (cast(NTSTATUS)0x8000001BL); // // MessageId: STATUS_MEDIA_CHANGED // // MessageText: // // {Media Changed} // The media may have changed. // const auto STATUS_MEDIA_CHANGED = (cast(NTSTATUS)0x8000001CL); // // MessageId: STATUS_BUS_RESET // // MessageText: // // {I/O Bus Reset} // An I/O bus reset was detected. // const auto STATUS_BUS_RESET = (cast(NTSTATUS)0x8000001DL); // // MessageId: STATUS_END_OF_MEDIA // // MessageText: // // {End of Media} // The end of the media was encountered. // const auto STATUS_END_OF_MEDIA = (cast(NTSTATUS)0x8000001EL); // // MessageId: STATUS_BEGINNING_OF_MEDIA // // MessageText: // // Beginning of tape or partition has been detected. // const auto STATUS_BEGINNING_OF_MEDIA = (cast(NTSTATUS)0x8000001FL); // // MessageId: STATUS_MEDIA_CHECK // // MessageText: // // {Media Changed} // The media may have changed. // const auto STATUS_MEDIA_CHECK = (cast(NTSTATUS)0x80000020L); // // MessageId: STATUS_SETMARK_DETECTED // // MessageText: // // A tape access reached a setmark. // const auto STATUS_SETMARK_DETECTED = (cast(NTSTATUS)0x80000021L); // // MessageId: STATUS_NO_DATA_DETECTED // // MessageText: // // During a tape access, the end of the data written is reached. // const auto STATUS_NO_DATA_DETECTED = (cast(NTSTATUS)0x80000022L); // // MessageId: STATUS_REDIRECTOR_HAS_OPEN_HANDLES // // MessageText: // // The redirector is in use and cannot be unloaded. // const auto STATUS_REDIRECTOR_HAS_OPEN_HANDLES = (cast(NTSTATUS)0x80000023L); // // MessageId: STATUS_SERVER_HAS_OPEN_HANDLES // // MessageText: // // The server is in use and cannot be unloaded. // const auto STATUS_SERVER_HAS_OPEN_HANDLES = (cast(NTSTATUS)0x80000024L); // // MessageId: STATUS_ALREADY_DISCONNECTED // // MessageText: // // The specified connection has already been disconnected. // const auto STATUS_ALREADY_DISCONNECTED = (cast(NTSTATUS)0x80000025L); // // MessageId: STATUS_LONGJUMP // // MessageText: // // A long jump has been executed. // const auto STATUS_LONGJUMP = (cast(NTSTATUS)0x80000026L); // // MessageId: STATUS_CLEANER_CARTRIDGE_INSTALLED // // MessageText: // // A cleaner cartridge is present in the tape library. // const auto STATUS_CLEANER_CARTRIDGE_INSTALLED = (cast(NTSTATUS)0x80000027L); // // MessageId: STATUS_PLUGPLAY_QUERY_VETOED // // MessageText: // // The Plug and Play query operation was not successful. // const auto STATUS_PLUGPLAY_QUERY_VETOED = (cast(NTSTATUS)0x80000028L); // // MessageId: STATUS_UNWIND_CONSOLIDATE // // MessageText: // // A frame consolidation has been executed. // const auto STATUS_UNWIND_CONSOLIDATE = (cast(NTSTATUS)0x80000029L); // // MessageId: STATUS_REGISTRY_HIVE_RECOVERED // // MessageText: // // {Registry Hive Recovered} // Registry hive (file): // %hs // was corrupted and it has been recovered. Some data might have been lost. // const auto STATUS_REGISTRY_HIVE_RECOVERED = (cast(NTSTATUS)0x8000002AL); // // MessageId: STATUS_DLL_MIGHT_BE_INSECURE // // MessageText: // // The application is attempting to run executable code from the module %hs. This may be insecure. An alternative, %hs, is available. Should the application use the secure module %hs? // const auto STATUS_DLL_MIGHT_BE_INSECURE = (cast(NTSTATUS)0x8000002BL); // // MessageId: STATUS_DLL_MIGHT_BE_INCOMPATIBLE // // MessageText: // // The application is loading executable code from the module %hs. This is secure, but may be incompatible with previous releases of the operating system. An alternative, %hs, is available. Should the application use the secure module %hs? // const auto STATUS_DLL_MIGHT_BE_INCOMPATIBLE = (cast(NTSTATUS)0x8000002CL); // // MessageId: STATUS_STOPPED_ON_SYMLINK // // MessageText: // // The create operation stopped after reaching a symbolic link. // const auto STATUS_STOPPED_ON_SYMLINK = (cast(NTSTATUS)0x8000002DL); // // MessageId: DBG_EXCEPTION_NOT_HANDLED // // MessageText: // // Debugger did not handle the exception. // const auto DBG_EXCEPTION_NOT_HANDLED = (cast(NTSTATUS)0x80010001L) ; // winnt // // MessageId: STATUS_CLUSTER_NODE_ALREADY_UP // // MessageText: // // The cluster node is already up. // const auto STATUS_CLUSTER_NODE_ALREADY_UP = (cast(NTSTATUS)0x80130001L); // // MessageId: STATUS_CLUSTER_NODE_ALREADY_DOWN // // MessageText: // // The cluster node is already down. // const auto STATUS_CLUSTER_NODE_ALREADY_DOWN = (cast(NTSTATUS)0x80130002L); // // MessageId: STATUS_CLUSTER_NETWORK_ALREADY_ONLINE // // MessageText: // // The cluster network is already online. // const auto STATUS_CLUSTER_NETWORK_ALREADY_ONLINE = (cast(NTSTATUS)0x80130003L); // // MessageId: STATUS_CLUSTER_NETWORK_ALREADY_OFFLINE // // MessageText: // // The cluster network is already offline. // const auto STATUS_CLUSTER_NETWORK_ALREADY_OFFLINE = (cast(NTSTATUS)0x80130004L); // // MessageId: STATUS_CLUSTER_NODE_ALREADY_MEMBER // // MessageText: // // The cluster node is already a member of the cluster. // const auto STATUS_CLUSTER_NODE_ALREADY_MEMBER = (cast(NTSTATUS)0x80130005L); // // MessageId: STATUS_FVE_PARTIAL_METADATA // // MessageText: // // Volume Metadata read or write is incomplete. // const auto STATUS_FVE_PARTIAL_METADATA = (cast(NTSTATUS)0x80210001L); ///////////////////////////////////////////////////////////////////////// // // Standard Error values // ///////////////////////////////////////////////////////////////////////// // // MessageId: STATUS_UNSUCCESSFUL // // MessageText: // // {Operation Failed} // The requested operation was unsuccessful. // const auto STATUS_UNSUCCESSFUL = (cast(NTSTATUS)0xC0000001L); // // MessageId: STATUS_NOT_IMPLEMENTED // // MessageText: // // {Not Implemented} // The requested operation is not implemented. // const auto STATUS_NOT_IMPLEMENTED = (cast(NTSTATUS)0xC0000002L); // // MessageId: STATUS_INVALID_INFO_CLASS // // MessageText: // // {Invalid Parameter} // The specified information class is not a valid information class for the specified object. // const auto STATUS_INVALID_INFO_CLASS = (cast(NTSTATUS)0xC0000003L) ; // ntsubauth // // MessageId: STATUS_INFO_LENGTH_MISMATCH // // MessageText: // // The specified information record length does not match the length required for the specified information class. // const auto STATUS_INFO_LENGTH_MISMATCH = (cast(NTSTATUS)0xC0000004L); // // MessageId: STATUS_ACCESS_VIOLATION // // MessageText: // // The instruction at 0x%08lx referenced memory at 0x%08lx. The memory could not be %s. // //const auto STATUS_ACCESS_VIOLATION = (cast(NTSTATUS)0xC0000005L) ; // winnt // // MessageId: STATUS_IN_PAGE_ERROR // // MessageText: // // The instruction at 0x%08lx referenced memory at 0x%08lx. The required data was not placed into memory because of an I/O error status of 0x%08lx. // //const auto STATUS_IN_PAGE_ERROR = (cast(NTSTATUS)0xC0000006L) ; // winnt // // MessageId: STATUS_PAGEFILE_QUOTA // // MessageText: // // The pagefile quota for the process has been exhausted. // const auto STATUS_PAGEFILE_QUOTA = (cast(NTSTATUS)0xC0000007L); // // MessageId: STATUS_INVALID_HANDLE // // MessageText: // // An invalid HANDLE was specified. // //const auto STATUS_INVALID_HANDLE = (cast(NTSTATUS)0xC0000008L) ; // winnt // // MessageId: STATUS_BAD_INITIAL_STACK // // MessageText: // // An invalid initial stack was specified in a call to NtCreateThread. // const auto STATUS_BAD_INITIAL_STACK = (cast(NTSTATUS)0xC0000009L); // // MessageId: STATUS_BAD_INITIAL_PC // // MessageText: // // An invalid initial start address was specified in a call to NtCreateThread. // const auto STATUS_BAD_INITIAL_PC = (cast(NTSTATUS)0xC000000AL); // // MessageId: STATUS_INVALID_CID // // MessageText: // // An invalid Client ID was specified. // const auto STATUS_INVALID_CID = (cast(NTSTATUS)0xC000000BL); // // MessageId: STATUS_TIMER_NOT_CANCELED // // MessageText: // // An attempt was made to cancel or set a timer that has an associated APC and the subject thread is not the thread that originally set the timer with an associated APC routine. // const auto STATUS_TIMER_NOT_CANCELED = (cast(NTSTATUS)0xC000000CL); // // MessageId: STATUS_INVALID_PARAMETER // // MessageText: // // An invalid parameter was passed to a service or function. // const auto STATUS_INVALID_PARAMETER = (cast(NTSTATUS)0xC000000DL); // // MessageId: STATUS_NO_SUCH_DEVICE // // MessageText: // // A device which does not exist was specified. // const auto STATUS_NO_SUCH_DEVICE = (cast(NTSTATUS)0xC000000EL); // // MessageId: STATUS_NO_SUCH_FILE // // MessageText: // // {File Not Found} // The file %hs does not exist. // const auto STATUS_NO_SUCH_FILE = (cast(NTSTATUS)0xC000000FL); // // MessageId: STATUS_INVALID_DEVICE_REQUEST // // MessageText: // // The specified request is not a valid operation for the target device. // const auto STATUS_INVALID_DEVICE_REQUEST = (cast(NTSTATUS)0xC0000010L); // // MessageId: STATUS_END_OF_FILE // // MessageText: // // The end-of-file marker has been reached. There is no valid data in the file beyond this marker. // const auto STATUS_END_OF_FILE = (cast(NTSTATUS)0xC0000011L); // // MessageId: STATUS_WRONG_VOLUME // // MessageText: // // {Wrong Volume} // The wrong volume is in the drive. // Please insert volume %hs into drive %hs. // const auto STATUS_WRONG_VOLUME = (cast(NTSTATUS)0xC0000012L); // // MessageId: STATUS_NO_MEDIA_IN_DEVICE // // MessageText: // // {No Disk} // There is no disk in the drive. // Please insert a disk into drive %hs. // const auto STATUS_NO_MEDIA_IN_DEVICE = (cast(NTSTATUS)0xC0000013L); // // MessageId: STATUS_UNRECOGNIZED_MEDIA // // MessageText: // // {Unknown Disk Format} // The disk in drive %hs is not formatted properly. // Please check the disk, and reformat if necessary. // const auto STATUS_UNRECOGNIZED_MEDIA = (cast(NTSTATUS)0xC0000014L); // // MessageId: STATUS_NONEXISTENT_SECTOR // // MessageText: // // {Sector Not Found} // The specified sector does not exist. // const auto STATUS_NONEXISTENT_SECTOR = (cast(NTSTATUS)0xC0000015L); // // MessageId: STATUS_MORE_PROCESSING_REQUIRED // // MessageText: // // {Still Busy} // The specified I/O request packet (IRP) cannot be disposed of because the I/O operation is not complete. // const auto STATUS_MORE_PROCESSING_REQUIRED = (cast(NTSTATUS)0xC0000016L); // // MessageId: STATUS_NO_MEMORY // // MessageText: // // {Not Enough Quota} // Not enough virtual memory or paging file quota is available to complete the specified operation. // const auto STATUS_NO_MEMORY = (cast(NTSTATUS)0xC0000017L) ; // winnt // // MessageId: STATUS_CONFLICTING_ADDRESSES // // MessageText: // // {Conflicting Address Range} // The specified address range conflicts with the address space. // const auto STATUS_CONFLICTING_ADDRESSES = (cast(NTSTATUS)0xC0000018L); // // MessageId: STATUS_NOT_MAPPED_VIEW // // MessageText: // // Address range to unmap is not a mapped view. // const auto STATUS_NOT_MAPPED_VIEW = (cast(NTSTATUS)0xC0000019L); // // MessageId: STATUS_UNABLE_TO_FREE_VM // // MessageText: // // Virtual memory cannot be freed. // const auto STATUS_UNABLE_TO_FREE_VM = (cast(NTSTATUS)0xC000001AL); // // MessageId: STATUS_UNABLE_TO_DELETE_SECTION // // MessageText: // // Specified section cannot be deleted. // const auto STATUS_UNABLE_TO_DELETE_SECTION = (cast(NTSTATUS)0xC000001BL); // // MessageId: STATUS_INVALID_SYSTEM_SERVICE // // MessageText: // // An invalid system service was specified in a system service call. // const auto STATUS_INVALID_SYSTEM_SERVICE = (cast(NTSTATUS)0xC000001CL); // // MessageId: STATUS_ILLEGAL_INSTRUCTION // // MessageText: // // {EXCEPTION} // Illegal Instruction // An attempt was made to execute an illegal instruction. // //const auto STATUS_ILLEGAL_INSTRUCTION = (cast(NTSTATUS)0xC000001DL) ; // winnt // // MessageId: STATUS_INVALID_LOCK_SEQUENCE // // MessageText: // // {Invalid Lock Sequence} // An attempt was made to execute an invalid lock sequence. // const auto STATUS_INVALID_LOCK_SEQUENCE = (cast(NTSTATUS)0xC000001EL); // // MessageId: STATUS_INVALID_VIEW_SIZE // // MessageText: // // {Invalid Mapping} // An attempt was made to create a view for a section which is bigger than the section. // const auto STATUS_INVALID_VIEW_SIZE = (cast(NTSTATUS)0xC000001FL); // // MessageId: STATUS_INVALID_FILE_FOR_SECTION // // MessageText: // // {Bad File} // The attributes of the specified mapping file for a section of memory cannot be read. // const auto STATUS_INVALID_FILE_FOR_SECTION = (cast(NTSTATUS)0xC0000020L); // // MessageId: STATUS_ALREADY_COMMITTED // // MessageText: // // {Already Committed} // The specified address range is already committed. // const auto STATUS_ALREADY_COMMITTED = (cast(NTSTATUS)0xC0000021L); // // MessageId: STATUS_ACCESS_DENIED // // MessageText: // // {Access Denied} // A process has requested access to an object, but has not been granted those access rights. // const auto STATUS_ACCESS_DENIED = (cast(NTSTATUS)0xC0000022L); // // MessageId: STATUS_BUFFER_TOO_SMALL // // MessageText: // // {Buffer Too Small} // The buffer is too small to contain the entry. No information has been written to the buffer. // const auto STATUS_BUFFER_TOO_SMALL = (cast(NTSTATUS)0xC0000023L); // // MessageId: STATUS_OBJECT_TYPE_MISMATCH // // MessageText: // // {Wrong Type} // There is a mismatch between the type of object required by the requested operation and the type of object that is specified in the request. // const auto STATUS_OBJECT_TYPE_MISMATCH = (cast(NTSTATUS)0xC0000024L); // // MessageId: STATUS_NONCONTINUABLE_EXCEPTION // // MessageText: // // {EXCEPTION} // Cannot Continue // Windows cannot continue from this exception. // //const auto STATUS_NONCONTINUABLE_EXCEPTION = (cast(NTSTATUS)0xC0000025L) ; // winnt // // MessageId: STATUS_INVALID_DISPOSITION // // MessageText: // // An invalid exception disposition was returned by an exception handler. // //const auto STATUS_INVALID_DISPOSITION = (cast(NTSTATUS)0xC0000026L) ; // winnt // // MessageId: STATUS_UNWIND // // MessageText: // // Unwind exception code. // const auto STATUS_UNWIND = (cast(NTSTATUS)0xC0000027L); // // MessageId: STATUS_BAD_STACK // // MessageText: // // An invalid or unaligned stack was encountered during an unwind operation. // const auto STATUS_BAD_STACK = (cast(NTSTATUS)0xC0000028L); // // MessageId: STATUS_INVALID_UNWIND_TARGET // // MessageText: // // An invalid unwind target was encountered during an unwind operation. // const auto STATUS_INVALID_UNWIND_TARGET = (cast(NTSTATUS)0xC0000029L); // // MessageId: STATUS_NOT_LOCKED // // MessageText: // // An attempt was made to unlock a page of memory which was not locked. // const auto STATUS_NOT_LOCKED = (cast(NTSTATUS)0xC000002AL); // // MessageId: STATUS_PARITY_ERROR // // MessageText: // // Device parity error on I/O operation. // const auto STATUS_PARITY_ERROR = (cast(NTSTATUS)0xC000002BL); // // MessageId: STATUS_UNABLE_TO_DECOMMIT_VM // // MessageText: // // An attempt was made to decommit uncommitted virtual memory. // const auto STATUS_UNABLE_TO_DECOMMIT_VM = (cast(NTSTATUS)0xC000002CL); // // MessageId: STATUS_NOT_COMMITTED // // MessageText: // // An attempt was made to change the attributes on memory that has not been committed. // const auto STATUS_NOT_COMMITTED = (cast(NTSTATUS)0xC000002DL); // // MessageId: STATUS_INVALID_PORT_ATTRIBUTES // // MessageText: // // Invalid Object Attributes specified to NtCreatePort or invalid Port Attributes specified to NtConnectPort // const auto STATUS_INVALID_PORT_ATTRIBUTES = (cast(NTSTATUS)0xC000002EL); // // MessageId: STATUS_PORT_MESSAGE_TOO_LONG // // MessageText: // // Length of message passed to NtRequestPort or NtRequestWaitReplyPort was longer than the maximum message allowed by the port. // const auto STATUS_PORT_MESSAGE_TOO_LONG = (cast(NTSTATUS)0xC000002FL); // // MessageId: STATUS_INVALID_PARAMETER_MIX // // MessageText: // // An invalid combination of parameters was specified. // const auto STATUS_INVALID_PARAMETER_MIX = (cast(NTSTATUS)0xC0000030L); // // MessageId: STATUS_INVALID_QUOTA_LOWER // // MessageText: // // An attempt was made to lower a quota limit below the current usage. // const auto STATUS_INVALID_QUOTA_LOWER = (cast(NTSTATUS)0xC0000031L); // // MessageId: STATUS_DISK_CORRUPT_ERROR // // MessageText: // // {Corrupt Disk} // The file system structure on the disk is corrupt and unusable. // Please run the Chkdsk utility on the volume %hs. // const auto STATUS_DISK_CORRUPT_ERROR = (cast(NTSTATUS)0xC0000032L); // // MessageId: STATUS_OBJECT_NAME_INVALID // // MessageText: // // Object Name invalid. // const auto STATUS_OBJECT_NAME_INVALID = (cast(NTSTATUS)0xC0000033L); // // MessageId: STATUS_OBJECT_NAME_NOT_FOUND // // MessageText: // // Object Name not found. // const auto STATUS_OBJECT_NAME_NOT_FOUND = (cast(NTSTATUS)0xC0000034L); // // MessageId: STATUS_OBJECT_NAME_COLLISION // // MessageText: // // Object Name already exists. // const auto STATUS_OBJECT_NAME_COLLISION = (cast(NTSTATUS)0xC0000035L); // // MessageId: STATUS_PORT_DISCONNECTED // // MessageText: // // Attempt to send a message to a disconnected communication port. // const auto STATUS_PORT_DISCONNECTED = (cast(NTSTATUS)0xC0000037L); // // MessageId: STATUS_DEVICE_ALREADY_ATTACHED // // MessageText: // // An attempt was made to attach to a device that was already attached to another device. // const auto STATUS_DEVICE_ALREADY_ATTACHED = (cast(NTSTATUS)0xC0000038L); // // MessageId: STATUS_OBJECT_PATH_INVALID // // MessageText: // // Object Path Component was not a directory object. // const auto STATUS_OBJECT_PATH_INVALID = (cast(NTSTATUS)0xC0000039L); // // MessageId: STATUS_OBJECT_PATH_NOT_FOUND // // MessageText: // // {Path Not Found} // The path %hs does not exist. // const auto STATUS_OBJECT_PATH_NOT_FOUND = (cast(NTSTATUS)0xC000003AL); // // MessageId: STATUS_OBJECT_PATH_SYNTAX_BAD // // MessageText: // // Object Path Component was not a directory object. // const auto STATUS_OBJECT_PATH_SYNTAX_BAD = (cast(NTSTATUS)0xC000003BL); // // MessageId: STATUS_DATA_OVERRUN // // MessageText: // // {Data Overrun} // A data overrun error occurred. // const auto STATUS_DATA_OVERRUN = (cast(NTSTATUS)0xC000003CL); // // MessageId: STATUS_DATA_LATE_ERROR // // MessageText: // // {Data Late} // A data late error occurred. // const auto STATUS_DATA_LATE_ERROR = (cast(NTSTATUS)0xC000003DL); // // MessageId: STATUS_DATA_ERROR // // MessageText: // // {Data Error} // An error in reading or writing data occurred. // const auto STATUS_DATA_ERROR = (cast(NTSTATUS)0xC000003EL); // // MessageId: STATUS_CRC_ERROR // // MessageText: // // {Bad CRC} // A cyclic redundancy check (CRC) checksum error occurred. // const auto STATUS_CRC_ERROR = (cast(NTSTATUS)0xC000003FL); // // MessageId: STATUS_SECTION_TOO_BIG // // MessageText: // // {Section Too Large} // The specified section is too big to map the file. // const auto STATUS_SECTION_TOO_BIG = (cast(NTSTATUS)0xC0000040L); // // MessageId: STATUS_PORT_CONNECTION_REFUSED // // MessageText: // // The NtConnectPort request is refused. // const auto STATUS_PORT_CONNECTION_REFUSED = (cast(NTSTATUS)0xC0000041L); // // MessageId: STATUS_INVALID_PORT_HANDLE // // MessageText: // // The type of port handle is invalid for the operation requested. // const auto STATUS_INVALID_PORT_HANDLE = (cast(NTSTATUS)0xC0000042L); // // MessageId: STATUS_SHARING_VIOLATION // // MessageText: // // A file cannot be opened because the share access flags are incompatible. // const auto STATUS_SHARING_VIOLATION = (cast(NTSTATUS)0xC0000043L); // // MessageId: STATUS_QUOTA_EXCEEDED // // MessageText: // // Insufficient quota exists to complete the operation // const auto STATUS_QUOTA_EXCEEDED = (cast(NTSTATUS)0xC0000044L); // // MessageId: STATUS_INVALID_PAGE_PROTECTION // // MessageText: // // The specified page protection was not valid. // const auto STATUS_INVALID_PAGE_PROTECTION = (cast(NTSTATUS)0xC0000045L); // // MessageId: STATUS_MUTANT_NOT_OWNED // // MessageText: // // An attempt to release a mutant object was made by a thread that was not the owner of the mutant object. // const auto STATUS_MUTANT_NOT_OWNED = (cast(NTSTATUS)0xC0000046L); // // MessageId: STATUS_SEMAPHORE_LIMIT_EXCEEDED // // MessageText: // // An attempt was made to release a semaphore such that its maximum count would have been exceeded. // const auto STATUS_SEMAPHORE_LIMIT_EXCEEDED = (cast(NTSTATUS)0xC0000047L); // // MessageId: STATUS_PORT_ALREADY_SET // // MessageText: // // An attempt to set a processes DebugPort or ExceptionPort was made, but a port already exists in the process or // an attempt to set a file's CompletionPort made, but a port was already set in the file or // an attempt to set an alpc port's associated completion port was made, but it is already set. // const auto STATUS_PORT_ALREADY_SET = (cast(NTSTATUS)0xC0000048L); // // MessageId: STATUS_SECTION_NOT_IMAGE // // MessageText: // // An attempt was made to query image information on a section which does not map an image. // const auto STATUS_SECTION_NOT_IMAGE = (cast(NTSTATUS)0xC0000049L); // // MessageId: STATUS_SUSPEND_COUNT_EXCEEDED // // MessageText: // // An attempt was made to suspend a thread whose suspend count was at its maximum. // const auto STATUS_SUSPEND_COUNT_EXCEEDED = (cast(NTSTATUS)0xC000004AL); // // MessageId: STATUS_THREAD_IS_TERMINATING // // MessageText: // // An attempt was made to access a thread that has begun termination. // const auto STATUS_THREAD_IS_TERMINATING = (cast(NTSTATUS)0xC000004BL); // // MessageId: STATUS_BAD_WORKING_SET_LIMIT // // MessageText: // // An attempt was made to set the working set limit to an invalid value (minimum greater than maximum, etc). // const auto STATUS_BAD_WORKING_SET_LIMIT = (cast(NTSTATUS)0xC000004CL); // // MessageId: STATUS_INCOMPATIBLE_FILE_MAP // // MessageText: // // A section was created to map a file which is not compatible to an already existing section which maps the same file. // const auto STATUS_INCOMPATIBLE_FILE_MAP = (cast(NTSTATUS)0xC000004DL); // // MessageId: STATUS_SECTION_PROTECTION // // MessageText: // // A view to a section specifies a protection which is incompatible with the initial view's protection. // const auto STATUS_SECTION_PROTECTION = (cast(NTSTATUS)0xC000004EL); // // MessageId: STATUS_EAS_NOT_SUPPORTED // // MessageText: // // An operation involving EAs failed because the file system does not support EAs. // const auto STATUS_EAS_NOT_SUPPORTED = (cast(NTSTATUS)0xC000004FL); // // MessageId: STATUS_EA_TOO_LARGE // // MessageText: // // An EA operation failed because EA set is too large. // const auto STATUS_EA_TOO_LARGE = (cast(NTSTATUS)0xC0000050L); // // MessageId: STATUS_NONEXISTENT_EA_ENTRY // // MessageText: // // An EA operation failed because the name or EA index is invalid. // const auto STATUS_NONEXISTENT_EA_ENTRY = (cast(NTSTATUS)0xC0000051L); // // MessageId: STATUS_NO_EAS_ON_FILE // // MessageText: // // The file for which EAs were requested has no EAs. // const auto STATUS_NO_EAS_ON_FILE = (cast(NTSTATUS)0xC0000052L); // // MessageId: STATUS_EA_CORRUPT_ERROR // // MessageText: // // The EA is corrupt and non-readable. // const auto STATUS_EA_CORRUPT_ERROR = (cast(NTSTATUS)0xC0000053L); // // MessageId: STATUS_FILE_LOCK_CONFLICT // // MessageText: // // A requested read/write cannot be granted due to a conflicting file lock. // const auto STATUS_FILE_LOCK_CONFLICT = (cast(NTSTATUS)0xC0000054L); // // MessageId: STATUS_LOCK_NOT_GRANTED // // MessageText: // // A requested file lock cannot be granted due to other existing locks. // const auto STATUS_LOCK_NOT_GRANTED = (cast(NTSTATUS)0xC0000055L); // // MessageId: STATUS_DELETE_PENDING // // MessageText: // // A non close operation has been requested of a file object with a delete pending. // const auto STATUS_DELETE_PENDING = (cast(NTSTATUS)0xC0000056L); // // MessageId: STATUS_CTL_FILE_NOT_SUPPORTED // // MessageText: // // An attempt was made to set the control attribute on a file. This attribute is not supported in the target file system. // const auto STATUS_CTL_FILE_NOT_SUPPORTED = (cast(NTSTATUS)0xC0000057L); // // MessageId: STATUS_UNKNOWN_REVISION // // MessageText: // // Indicates a revision number encountered or specified is not one known by the service. It may be a more recent revision than the service is aware of. // const auto STATUS_UNKNOWN_REVISION = (cast(NTSTATUS)0xC0000058L); // // MessageId: STATUS_REVISION_MISMATCH // // MessageText: // // Indicates two revision levels are incompatible. // const auto STATUS_REVISION_MISMATCH = (cast(NTSTATUS)0xC0000059L); // // MessageId: STATUS_INVALID_OWNER // // MessageText: // // Indicates a particular Security ID may not be assigned as the owner of an object. // const auto STATUS_INVALID_OWNER = (cast(NTSTATUS)0xC000005AL); // // MessageId: STATUS_INVALID_PRIMARY_GROUP // // MessageText: // // Indicates a particular Security ID may not be assigned as the primary group of an object. // const auto STATUS_INVALID_PRIMARY_GROUP = (cast(NTSTATUS)0xC000005BL); // // MessageId: STATUS_NO_IMPERSONATION_TOKEN // // MessageText: // // An attempt has been made to operate on an impersonation token by a thread that is not currently impersonating a client. // const auto STATUS_NO_IMPERSONATION_TOKEN = (cast(NTSTATUS)0xC000005CL); // // MessageId: STATUS_CANT_DISABLE_MANDATORY // // MessageText: // // A mandatory group may not be disabled. // const auto STATUS_CANT_DISABLE_MANDATORY = (cast(NTSTATUS)0xC000005DL); // // MessageId: STATUS_NO_LOGON_SERVERS // // MessageText: // // There are currently no logon servers available to service the logon request. // const auto STATUS_NO_LOGON_SERVERS = (cast(NTSTATUS)0xC000005EL); // // MessageId: STATUS_NO_SUCH_LOGON_SESSION // // MessageText: // // A specified logon session does not exist. It may already have been terminated. // const auto STATUS_NO_SUCH_LOGON_SESSION = (cast(NTSTATUS)0xC000005FL); // // MessageId: STATUS_NO_SUCH_PRIVILEGE // // MessageText: // // A specified privilege does not exist. // const auto STATUS_NO_SUCH_PRIVILEGE = (cast(NTSTATUS)0xC0000060L); // // MessageId: STATUS_PRIVILEGE_NOT_HELD // // MessageText: // // A required privilege is not held by the client. // const auto STATUS_PRIVILEGE_NOT_HELD = (cast(NTSTATUS)0xC0000061L); // // MessageId: STATUS_INVALID_ACCOUNT_NAME // // MessageText: // // The name provided is not a properly formed account name. // const auto STATUS_INVALID_ACCOUNT_NAME = (cast(NTSTATUS)0xC0000062L); // // MessageId: STATUS_USER_EXISTS // // MessageText: // // The specified account already exists. // const auto STATUS_USER_EXISTS = (cast(NTSTATUS)0xC0000063L); // // MessageId: STATUS_NO_SUCH_USER // // MessageText: // // The specified account does not exist. // const auto STATUS_NO_SUCH_USER = (cast(NTSTATUS)0xC0000064L) ; // ntsubauth // // MessageId: STATUS_GROUP_EXISTS // // MessageText: // // The specified group already exists. // const auto STATUS_GROUP_EXISTS = (cast(NTSTATUS)0xC0000065L); // // MessageId: STATUS_NO_SUCH_GROUP // // MessageText: // // The specified group does not exist. // const auto STATUS_NO_SUCH_GROUP = (cast(NTSTATUS)0xC0000066L); // // MessageId: STATUS_MEMBER_IN_GROUP // // MessageText: // // The specified user account is already in the specified group account. // Also used to indicate a group cannot be deleted because it contains a member. // const auto STATUS_MEMBER_IN_GROUP = (cast(NTSTATUS)0xC0000067L); // // MessageId: STATUS_MEMBER_NOT_IN_GROUP // // MessageText: // // The specified user account is not a member of the specified group account. // const auto STATUS_MEMBER_NOT_IN_GROUP = (cast(NTSTATUS)0xC0000068L); // // MessageId: STATUS_LAST_ADMIN // // MessageText: // // Indicates the requested operation would disable or delete the last remaining administration account. // This is not allowed to prevent creating a situation in which the system cannot be administrated. // const auto STATUS_LAST_ADMIN = (cast(NTSTATUS)0xC0000069L); // // MessageId: STATUS_WRONG_PASSWORD // // MessageText: // // When trying to update a password, this return status indicates that the value provided as the current password is not correct. // const auto STATUS_WRONG_PASSWORD = (cast(NTSTATUS)0xC000006AL) ; // ntsubauth // // MessageId: STATUS_ILL_FORMED_PASSWORD // // MessageText: // // When trying to update a password, this return status indicates that the value provided for the new password contains values that are not allowed in passwords. // const auto STATUS_ILL_FORMED_PASSWORD = (cast(NTSTATUS)0xC000006BL); // // MessageId: STATUS_PASSWORD_RESTRICTION // // MessageText: // // When trying to update a password, this status indicates that some password update rule has been violated. For example, the password may not meet length criteria. // const auto STATUS_PASSWORD_RESTRICTION = (cast(NTSTATUS)0xC000006CL) ; // ntsubauth // // MessageId: STATUS_LOGON_FAILURE // // MessageText: // // The attempted logon is invalid. This is either due to a bad username or authentication information. // const auto STATUS_LOGON_FAILURE = (cast(NTSTATUS)0xC000006DL) ; // ntsubauth // // MessageId: STATUS_ACCOUNT_RESTRICTION // // MessageText: // // Indicates a referenced user name and authentication information are valid, but some user account restriction has prevented successful authentication (such as time-of-day restrictions). // const auto STATUS_ACCOUNT_RESTRICTION = (cast(NTSTATUS)0xC000006EL) ; // ntsubauth // // MessageId: STATUS_INVALID_LOGON_HOURS // // MessageText: // // The user account has time restrictions and may not be logged onto at this time. // const auto STATUS_INVALID_LOGON_HOURS = (cast(NTSTATUS)0xC000006FL) ; // ntsubauth // // MessageId: STATUS_INVALID_WORKSTATION // // MessageText: // // The user account is restricted such that it may not be used to log on from the source workstation. // const auto STATUS_INVALID_WORKSTATION = (cast(NTSTATUS)0xC0000070L) ; // ntsubauth // // MessageId: STATUS_PASSWORD_EXPIRED // // MessageText: // // The user account's password has expired. // const auto STATUS_PASSWORD_EXPIRED = (cast(NTSTATUS)0xC0000071L) ; // ntsubauth // // MessageId: STATUS_ACCOUNT_DISABLED // // MessageText: // // The referenced account is currently disabled and may not be logged on to. // const auto STATUS_ACCOUNT_DISABLED = (cast(NTSTATUS)0xC0000072L) ; // ntsubauth // // MessageId: STATUS_NONE_MAPPED // // MessageText: // // None of the information to be translated has been translated. // const auto STATUS_NONE_MAPPED = (cast(NTSTATUS)0xC0000073L); // // MessageId: STATUS_TOO_MANY_LUIDS_REQUESTED // // MessageText: // // The number of LUIDs requested may not be allocated with a single allocation. // const auto STATUS_TOO_MANY_LUIDS_REQUESTED = (cast(NTSTATUS)0xC0000074L); // // MessageId: STATUS_LUIDS_EXHAUSTED // // MessageText: // // Indicates there are no more LUIDs to allocate. // const auto STATUS_LUIDS_EXHAUSTED = (cast(NTSTATUS)0xC0000075L); // // MessageId: STATUS_INVALID_SUB_AUTHORITY // // MessageText: // // Indicates the sub-authority value is invalid for the particular use. // const auto STATUS_INVALID_SUB_AUTHORITY = (cast(NTSTATUS)0xC0000076L); // // MessageId: STATUS_INVALID_ACL // // MessageText: // // Indicates the ACL structure is not valid. // const auto STATUS_INVALID_ACL = (cast(NTSTATUS)0xC0000077L); // // MessageId: STATUS_INVALID_SID // // MessageText: // // Indicates the SID structure is not valid. // const auto STATUS_INVALID_SID = (cast(NTSTATUS)0xC0000078L); // // MessageId: STATUS_INVALID_SECURITY_DESCR // // MessageText: // // Indicates the SECURITY_DESCRIPTOR structure is not valid. // const auto STATUS_INVALID_SECURITY_DESCR = (cast(NTSTATUS)0xC0000079L); // // MessageId: STATUS_PROCEDURE_NOT_FOUND // // MessageText: // // Indicates the specified procedure address cannot be found in the DLL. // const auto STATUS_PROCEDURE_NOT_FOUND = (cast(NTSTATUS)0xC000007AL); // // MessageId: STATUS_INVALID_IMAGE_FORMAT // // MessageText: // // {Bad Image} // %hs is either not designed to run on Windows or it contains an error. Try installing the program again using the original installation media or contact your system administrator or the software vendor for support. // const auto STATUS_INVALID_IMAGE_FORMAT = (cast(NTSTATUS)0xC000007BL); // // MessageId: STATUS_NO_TOKEN // // MessageText: // // An attempt was made to reference a token that doesn't exist. // This is typically done by referencing the token associated with a thread when the thread is not impersonating a client. // const auto STATUS_NO_TOKEN = (cast(NTSTATUS)0xC000007CL); // // MessageId: STATUS_BAD_INHERITANCE_ACL // // MessageText: // // Indicates that an attempt to build either an inherited ACL or ACE was not successful. // This can be caused by a number of things. One of the more probable causes is the replacement of a CreatorId with an SID that didn't fit into the ACE or ACL. // const auto STATUS_BAD_INHERITANCE_ACL = (cast(NTSTATUS)0xC000007DL); // // MessageId: STATUS_RANGE_NOT_LOCKED // // MessageText: // // The range specified in NtUnlockFile was not locked. // const auto STATUS_RANGE_NOT_LOCKED = (cast(NTSTATUS)0xC000007EL); // // MessageId: STATUS_DISK_FULL // // MessageText: // // An operation failed because the disk was full. // const auto STATUS_DISK_FULL = (cast(NTSTATUS)0xC000007FL); // // MessageId: STATUS_SERVER_DISABLED // // MessageText: // // The GUID allocation server is [already] disabled at the moment. // const auto STATUS_SERVER_DISABLED = (cast(NTSTATUS)0xC0000080L); // // MessageId: STATUS_SERVER_NOT_DISABLED // // MessageText: // // The GUID allocation server is [already] enabled at the moment. // const auto STATUS_SERVER_NOT_DISABLED = (cast(NTSTATUS)0xC0000081L); // // MessageId: STATUS_TOO_MANY_GUIDS_REQUESTED // // MessageText: // // Too many GUIDs were requested from the allocation server at once. // const auto STATUS_TOO_MANY_GUIDS_REQUESTED = (cast(NTSTATUS)0xC0000082L); // // MessageId: STATUS_GUIDS_EXHAUSTED // // MessageText: // // The GUIDs could not be allocated because the Authority Agent was exhausted. // const auto STATUS_GUIDS_EXHAUSTED = (cast(NTSTATUS)0xC0000083L); // // MessageId: STATUS_INVALID_ID_AUTHORITY // // MessageText: // // The value provided was an invalid value for an identifier authority. // const auto STATUS_INVALID_ID_AUTHORITY = (cast(NTSTATUS)0xC0000084L); // // MessageId: STATUS_AGENTS_EXHAUSTED // // MessageText: // // There are no more authority agent values available for the given identifier authority value. // const auto STATUS_AGENTS_EXHAUSTED = (cast(NTSTATUS)0xC0000085L); // // MessageId: STATUS_INVALID_VOLUME_LABEL // // MessageText: // // An invalid volume label has been specified. // const auto STATUS_INVALID_VOLUME_LABEL = (cast(NTSTATUS)0xC0000086L); // // MessageId: STATUS_SECTION_NOT_EXTENDED // // MessageText: // // A mapped section could not be extended. // const auto STATUS_SECTION_NOT_EXTENDED = (cast(NTSTATUS)0xC0000087L); // // MessageId: STATUS_NOT_MAPPED_DATA // // MessageText: // // Specified section to flush does not map a data file. // const auto STATUS_NOT_MAPPED_DATA = (cast(NTSTATUS)0xC0000088L); // // MessageId: STATUS_RESOURCE_DATA_NOT_FOUND // // MessageText: // // Indicates the specified image file did not contain a resource section. // const auto STATUS_RESOURCE_DATA_NOT_FOUND = (cast(NTSTATUS)0xC0000089L); // // MessageId: STATUS_RESOURCE_TYPE_NOT_FOUND // // MessageText: // // Indicates the specified resource type cannot be found in the image file. // const auto STATUS_RESOURCE_TYPE_NOT_FOUND = (cast(NTSTATUS)0xC000008AL); // // MessageId: STATUS_RESOURCE_NAME_NOT_FOUND // // MessageText: // // Indicates the specified resource name cannot be found in the image file. // const auto STATUS_RESOURCE_NAME_NOT_FOUND = (cast(NTSTATUS)0xC000008BL); // // MessageId: STATUS_ARRAY_BOUNDS_EXCEEDED // // MessageText: // // {EXCEPTION} // Array bounds exceeded. // //const auto STATUS_ARRAY_BOUNDS_EXCEEDED = (cast(NTSTATUS)0xC000008CL) ; // winnt // // MessageId: STATUS_FLOAT_DENORMAL_OPERAND // // MessageText: // // {EXCEPTION} // Floating-point denormal operand. // //const auto STATUS_FLOAT_DENORMAL_OPERAND = (cast(NTSTATUS)0xC000008DL) ; // winnt // // MessageId: STATUS_FLOAT_DIVIDE_BY_ZERO // // MessageText: // // {EXCEPTION} // Floating-point division by zero. // //const auto STATUS_FLOAT_DIVIDE_BY_ZERO = (cast(NTSTATUS)0xC000008EL) ; // winnt // // MessageId: STATUS_FLOAT_INEXACT_RESULT // // MessageText: // // {EXCEPTION} // Floating-point inexact result. // //const auto STATUS_FLOAT_INEXACT_RESULT = (cast(NTSTATUS)0xC000008FL) ; // winnt // // MessageId: STATUS_FLOAT_INVALID_OPERATION // // MessageText: // // {EXCEPTION} // Floating-point invalid operation. // //const auto STATUS_FLOAT_INVALID_OPERATION = (cast(NTSTATUS)0xC0000090L) ; // winnt // // MessageId: STATUS_FLOAT_OVERFLOW // // MessageText: // // {EXCEPTION} // Floating-point overflow. // //const auto STATUS_FLOAT_OVERFLOW = (cast(NTSTATUS)0xC0000091L) ; // winnt // // MessageId: STATUS_FLOAT_STACK_CHECK // // MessageText: // // {EXCEPTION} // Floating-point stack check. // //const auto STATUS_FLOAT_STACK_CHECK = (cast(NTSTATUS)0xC0000092L) ; // winnt // // MessageId: STATUS_FLOAT_UNDERFLOW // // MessageText: // // {EXCEPTION} // Floating-point underflow. // //const auto STATUS_FLOAT_UNDERFLOW = (cast(NTSTATUS)0xC0000093L) ; // winnt // // MessageId: STATUS_INTEGER_DIVIDE_BY_ZERO // // MessageText: // // {EXCEPTION} // Integer division by zero. // //const auto STATUS_INTEGER_DIVIDE_BY_ZERO = (cast(NTSTATUS)0xC0000094L) ; // winnt // // MessageId: STATUS_INTEGER_OVERFLOW // // MessageText: // // {EXCEPTION} // Integer overflow. // //const auto STATUS_INTEGER_OVERFLOW = (cast(NTSTATUS)0xC0000095L) ; // winnt // // MessageId: STATUS_PRIVILEGED_INSTRUCTION // // MessageText: // // {EXCEPTION} // Privileged instruction. // //const auto STATUS_PRIVILEGED_INSTRUCTION = (cast(NTSTATUS)0xC0000096L) ; // winnt // // MessageId: STATUS_TOO_MANY_PAGING_FILES // // MessageText: // // An attempt was made to install more paging files than the system supports. // const auto STATUS_TOO_MANY_PAGING_FILES = (cast(NTSTATUS)0xC0000097L); // // MessageId: STATUS_FILE_INVALID // // MessageText: // // The volume for a file has been externally altered such that the opened file is no longer valid. // const auto STATUS_FILE_INVALID = (cast(NTSTATUS)0xC0000098L); // // MessageId: STATUS_ALLOTTED_SPACE_EXCEEDED // // MessageText: // // When a block of memory is allotted for future updates, such as the memory allocated to hold discretionary access control and primary group information, successive updates may exceed the amount of memory originally allotted. // Since quota may already have been charged to several processes which have handles to the object, it is not reasonable to alter the size of the allocated memory. // Instead, a request that requires more memory than has been allotted must fail and the STATUS_ALLOTED_SPACE_EXCEEDED error returned. // const auto STATUS_ALLOTTED_SPACE_EXCEEDED = (cast(NTSTATUS)0xC0000099L); // // MessageId: STATUS_INSUFFICIENT_RESOURCES // // MessageText: // // Insufficient system resources exist to complete the API. // const auto STATUS_INSUFFICIENT_RESOURCES = (cast(NTSTATUS)0xC000009AL) ; // ntsubauth // // MessageId: STATUS_DFS_EXIT_PATH_FOUND // // MessageText: // // An attempt has been made to open a DFS exit path control file. // const auto STATUS_DFS_EXIT_PATH_FOUND = (cast(NTSTATUS)0xC000009BL); // // MessageId: STATUS_DEVICE_DATA_ERROR // // MessageText: // // STATUS_DEVICE_DATA_ERROR // const auto STATUS_DEVICE_DATA_ERROR = (cast(NTSTATUS)0xC000009CL); // // MessageId: STATUS_DEVICE_NOT_CONNECTED // // MessageText: // // STATUS_DEVICE_NOT_CONNECTED // const auto STATUS_DEVICE_NOT_CONNECTED = (cast(NTSTATUS)0xC000009DL); // // MessageId: STATUS_DEVICE_POWER_FAILURE // // MessageText: // // STATUS_DEVICE_POWER_FAILURE // const auto STATUS_DEVICE_POWER_FAILURE = (cast(NTSTATUS)0xC000009EL); // // MessageId: STATUS_FREE_VM_NOT_AT_BASE // // MessageText: // // Virtual memory cannot be freed as base address is not the base of the region and a region size of zero was specified. // const auto STATUS_FREE_VM_NOT_AT_BASE = (cast(NTSTATUS)0xC000009FL); // // MessageId: STATUS_MEMORY_NOT_ALLOCATED // // MessageText: // // An attempt was made to free virtual memory which is not allocated. // const auto STATUS_MEMORY_NOT_ALLOCATED = (cast(NTSTATUS)0xC00000A0L); // // MessageId: STATUS_WORKING_SET_QUOTA // // MessageText: // // The working set is not big enough to allow the requested pages to be locked. // const auto STATUS_WORKING_SET_QUOTA = (cast(NTSTATUS)0xC00000A1L); // // MessageId: STATUS_MEDIA_WRITE_PROTECTED // // MessageText: // // {Write Protect Error} // The disk cannot be written to because it is write protected. // Please remove the write protection from the volume %hs in drive %hs. // const auto STATUS_MEDIA_WRITE_PROTECTED = (cast(NTSTATUS)0xC00000A2L); // // MessageId: STATUS_DEVICE_NOT_READY // // MessageText: // // {Drive Not Ready} // The drive is not ready for use; its door may be open. // Please check drive %hs and make sure that a disk is inserted and that the drive door is closed. // const auto STATUS_DEVICE_NOT_READY = (cast(NTSTATUS)0xC00000A3L); // // MessageId: STATUS_INVALID_GROUP_ATTRIBUTES // // MessageText: // // The specified attributes are invalid, or incompatible with the attributes for the group as a whole. // const auto STATUS_INVALID_GROUP_ATTRIBUTES = (cast(NTSTATUS)0xC00000A4L); // // MessageId: STATUS_BAD_IMPERSONATION_LEVEL // // MessageText: // // A specified impersonation level is invalid. // Also used to indicate a required impersonation level was not provided. // const auto STATUS_BAD_IMPERSONATION_LEVEL = (cast(NTSTATUS)0xC00000A5L); // // MessageId: STATUS_CANT_OPEN_ANONYMOUS // // MessageText: // // An attempt was made to open an Anonymous level token. // Anonymous tokens may not be opened. // const auto STATUS_CANT_OPEN_ANONYMOUS = (cast(NTSTATUS)0xC00000A6L); // // MessageId: STATUS_BAD_VALIDATION_CLASS // // MessageText: // // The validation information class requested was invalid. // const auto STATUS_BAD_VALIDATION_CLASS = (cast(NTSTATUS)0xC00000A7L); // // MessageId: STATUS_BAD_TOKEN_TYPE // // MessageText: // // The type of a token object is inappropriate for its attempted use. // const auto STATUS_BAD_TOKEN_TYPE = (cast(NTSTATUS)0xC00000A8L); // // MessageId: STATUS_BAD_MASTER_BOOT_RECORD // // MessageText: // // The type of a token object is inappropriate for its attempted use. // const auto STATUS_BAD_MASTER_BOOT_RECORD = (cast(NTSTATUS)0xC00000A9L); // // MessageId: STATUS_INSTRUCTION_MISALIGNMENT // // MessageText: // // An attempt was made to execute an instruction at an unaligned address and the host system does not support unaligned instruction references. // const auto STATUS_INSTRUCTION_MISALIGNMENT = (cast(NTSTATUS)0xC00000AAL); // // MessageId: STATUS_INSTANCE_NOT_AVAILABLE // // MessageText: // // The maximum named pipe instance count has been reached. // const auto STATUS_INSTANCE_NOT_AVAILABLE = (cast(NTSTATUS)0xC00000ABL); // // MessageId: STATUS_PIPE_NOT_AVAILABLE // // MessageText: // // An instance of a named pipe cannot be found in the listening state. // const auto STATUS_PIPE_NOT_AVAILABLE = (cast(NTSTATUS)0xC00000ACL); // // MessageId: STATUS_INVALID_PIPE_STATE // // MessageText: // // The named pipe is not in the connected or closing state. // const auto STATUS_INVALID_PIPE_STATE = (cast(NTSTATUS)0xC00000ADL); // // MessageId: STATUS_PIPE_BUSY // // MessageText: // // The specified pipe is set to complete operations and there are current I/O operations queued so it cannot be changed to queue operations. // const auto STATUS_PIPE_BUSY = (cast(NTSTATUS)0xC00000AEL); // // MessageId: STATUS_ILLEGAL_FUNCTION // // MessageText: // // The specified handle is not open to the server end of the named pipe. // const auto STATUS_ILLEGAL_FUNCTION = (cast(NTSTATUS)0xC00000AFL); // // MessageId: STATUS_PIPE_DISCONNECTED // // MessageText: // // The specified named pipe is in the disconnected state. // const auto STATUS_PIPE_DISCONNECTED = (cast(NTSTATUS)0xC00000B0L); // // MessageId: STATUS_PIPE_CLOSING // // MessageText: // // The specified named pipe is in the closing state. // const auto STATUS_PIPE_CLOSING = (cast(NTSTATUS)0xC00000B1L); // // MessageId: STATUS_PIPE_CONNECTED // // MessageText: // // The specified named pipe is in the connected state. // const auto STATUS_PIPE_CONNECTED = (cast(NTSTATUS)0xC00000B2L); // // MessageId: STATUS_PIPE_LISTENING // // MessageText: // // The specified named pipe is in the listening state. // const auto STATUS_PIPE_LISTENING = (cast(NTSTATUS)0xC00000B3L); // // MessageId: STATUS_INVALID_READ_MODE // // MessageText: // // The specified named pipe is not in message mode. // const auto STATUS_INVALID_READ_MODE = (cast(NTSTATUS)0xC00000B4L); // // MessageId: STATUS_IO_TIMEOUT // // MessageText: // // {Device Timeout} // The specified I/O operation on %hs was not completed before the time-out period expired. // const auto STATUS_IO_TIMEOUT = (cast(NTSTATUS)0xC00000B5L); // // MessageId: STATUS_FILE_FORCED_CLOSED // // MessageText: // // The specified file has been closed by another process. // const auto STATUS_FILE_FORCED_CLOSED = (cast(NTSTATUS)0xC00000B6L); // // MessageId: STATUS_PROFILING_NOT_STARTED // // MessageText: // // Profiling not started. // const auto STATUS_PROFILING_NOT_STARTED = (cast(NTSTATUS)0xC00000B7L); // // MessageId: STATUS_PROFILING_NOT_STOPPED // // MessageText: // // Profiling not stopped. // const auto STATUS_PROFILING_NOT_STOPPED = (cast(NTSTATUS)0xC00000B8L); // // MessageId: STATUS_COULD_NOT_INTERPRET // // MessageText: // // The passed ACL did not contain the minimum required information. // const auto STATUS_COULD_NOT_INTERPRET = (cast(NTSTATUS)0xC00000B9L); // // MessageId: STATUS_FILE_IS_A_DIRECTORY // // MessageText: // // The file that was specified as a target is a directory and the caller specified that it could be anything but a directory. // const auto STATUS_FILE_IS_A_DIRECTORY = (cast(NTSTATUS)0xC00000BAL); // // Network specific errors. // // // // MessageId: STATUS_NOT_SUPPORTED // // MessageText: // // The request is not supported. // const auto STATUS_NOT_SUPPORTED = (cast(NTSTATUS)0xC00000BBL); // // MessageId: STATUS_REMOTE_NOT_LISTENING // // MessageText: // // This remote computer is not listening. // const auto STATUS_REMOTE_NOT_LISTENING = (cast(NTSTATUS)0xC00000BCL); // // MessageId: STATUS_DUPLICATE_NAME // // MessageText: // // A duplicate name exists on the network. // const auto STATUS_DUPLICATE_NAME = (cast(NTSTATUS)0xC00000BDL); // // MessageId: STATUS_BAD_NETWORK_PATH // // MessageText: // // The network path cannot be located. // const auto STATUS_BAD_NETWORK_PATH = (cast(NTSTATUS)0xC00000BEL); // // MessageId: STATUS_NETWORK_BUSY // // MessageText: // // The network is busy. // const auto STATUS_NETWORK_BUSY = (cast(NTSTATUS)0xC00000BFL); // // MessageId: STATUS_DEVICE_DOES_NOT_EXIST // // MessageText: // // This device does not exist. // const auto STATUS_DEVICE_DOES_NOT_EXIST = (cast(NTSTATUS)0xC00000C0L); // // MessageId: STATUS_TOO_MANY_COMMANDS // // MessageText: // // The network BIOS command limit has been reached. // const auto STATUS_TOO_MANY_COMMANDS = (cast(NTSTATUS)0xC00000C1L); // // MessageId: STATUS_ADAPTER_HARDWARE_ERROR // // MessageText: // // An I/O adapter hardware error has occurred. // const auto STATUS_ADAPTER_HARDWARE_ERROR = (cast(NTSTATUS)0xC00000C2L); // // MessageId: STATUS_INVALID_NETWORK_RESPONSE // // MessageText: // // The network responded incorrectly. // const auto STATUS_INVALID_NETWORK_RESPONSE = (cast(NTSTATUS)0xC00000C3L); // // MessageId: STATUS_UNEXPECTED_NETWORK_ERROR // // MessageText: // // An unexpected network error occurred. // const auto STATUS_UNEXPECTED_NETWORK_ERROR = (cast(NTSTATUS)0xC00000C4L); // // MessageId: STATUS_BAD_REMOTE_ADAPTER // // MessageText: // // The remote adapter is not compatible. // const auto STATUS_BAD_REMOTE_ADAPTER = (cast(NTSTATUS)0xC00000C5L); // // MessageId: STATUS_PRINT_QUEUE_FULL // // MessageText: // // The printer queue is full. // const auto STATUS_PRINT_QUEUE_FULL = (cast(NTSTATUS)0xC00000C6L); // // MessageId: STATUS_NO_SPOOL_SPACE // // MessageText: // // Space to store the file waiting to be printed is not available on the server. // const auto STATUS_NO_SPOOL_SPACE = (cast(NTSTATUS)0xC00000C7L); // // MessageId: STATUS_PRINT_CANCELLED // // MessageText: // // The requested print file has been canceled. // const auto STATUS_PRINT_CANCELLED = (cast(NTSTATUS)0xC00000C8L); // // MessageId: STATUS_NETWORK_NAME_DELETED // // MessageText: // // The network name was deleted. // const auto STATUS_NETWORK_NAME_DELETED = (cast(NTSTATUS)0xC00000C9L); // // MessageId: STATUS_NETWORK_ACCESS_DENIED // // MessageText: // // Network access is denied. // const auto STATUS_NETWORK_ACCESS_DENIED = (cast(NTSTATUS)0xC00000CAL); // // MessageId: STATUS_BAD_DEVICE_TYPE // // MessageText: // // {Incorrect Network Resource Type} // The specified device type (LPT, for example) conflicts with the actual device type on the remote resource. // const auto STATUS_BAD_DEVICE_TYPE = (cast(NTSTATUS)0xC00000CBL); // // MessageId: STATUS_BAD_NETWORK_NAME // // MessageText: // // {Network Name Not Found} // The specified share name cannot be found on the remote server. // const auto STATUS_BAD_NETWORK_NAME = (cast(NTSTATUS)0xC00000CCL); // // MessageId: STATUS_TOO_MANY_NAMES // // MessageText: // // The name limit for the local computer network adapter card was exceeded. // const auto STATUS_TOO_MANY_NAMES = (cast(NTSTATUS)0xC00000CDL); // // MessageId: STATUS_TOO_MANY_SESSIONS // // MessageText: // // The network BIOS session limit was exceeded. // const auto STATUS_TOO_MANY_SESSIONS = (cast(NTSTATUS)0xC00000CEL); // // MessageId: STATUS_SHARING_PAUSED // // MessageText: // // File sharing has been temporarily paused. // const auto STATUS_SHARING_PAUSED = (cast(NTSTATUS)0xC00000CFL); // // MessageId: STATUS_REQUEST_NOT_ACCEPTED // // MessageText: // // No more connections can be made to this remote computer at this time because there are already as many connections as the computer can accept. // const auto STATUS_REQUEST_NOT_ACCEPTED = (cast(NTSTATUS)0xC00000D0L); // // MessageId: STATUS_REDIRECTOR_PAUSED // // MessageText: // // Print or disk redirection is temporarily paused. // const auto STATUS_REDIRECTOR_PAUSED = (cast(NTSTATUS)0xC00000D1L); // // MessageId: STATUS_NET_WRITE_FAULT // // MessageText: // // A network data fault occurred. // const auto STATUS_NET_WRITE_FAULT = (cast(NTSTATUS)0xC00000D2L); // // MessageId: STATUS_PROFILING_AT_LIMIT // // MessageText: // // The number of active profiling objects is at the maximum and no more may be started. // const auto STATUS_PROFILING_AT_LIMIT = (cast(NTSTATUS)0xC00000D3L); // // MessageId: STATUS_NOT_SAME_DEVICE // // MessageText: // // {Incorrect Volume} // The target file of a rename request is located on a different device than the source of the rename request. // const auto STATUS_NOT_SAME_DEVICE = (cast(NTSTATUS)0xC00000D4L); // // MessageId: STATUS_FILE_RENAMED // // MessageText: // // The file specified has been renamed and thus cannot be modified. // const auto STATUS_FILE_RENAMED = (cast(NTSTATUS)0xC00000D5L); // // MessageId: STATUS_VIRTUAL_CIRCUIT_CLOSED // // MessageText: // // {Network Request Timeout} // The session with a remote server has been disconnected because the time-out interval for a request has expired. // const auto STATUS_VIRTUAL_CIRCUIT_CLOSED = (cast(NTSTATUS)0xC00000D6L); // // MessageId: STATUS_NO_SECURITY_ON_OBJECT // // MessageText: // // Indicates an attempt was made to operate on the security of an object that does not have security associated with it. // const auto STATUS_NO_SECURITY_ON_OBJECT = (cast(NTSTATUS)0xC00000D7L); // // MessageId: STATUS_CANT_WAIT // // MessageText: // // Used to indicate that an operation cannot continue without blocking for I/O. // const auto STATUS_CANT_WAIT = (cast(NTSTATUS)0xC00000D8L); // // MessageId: STATUS_PIPE_EMPTY // // MessageText: // // Used to indicate that a read operation was done on an empty pipe. // const auto STATUS_PIPE_EMPTY = (cast(NTSTATUS)0xC00000D9L); // // MessageId: STATUS_CANT_ACCESS_DOMAIN_INFO // // MessageText: // // Configuration information could not be read from the domain controller, either because the machine is unavailable, or access has been denied. // const auto STATUS_CANT_ACCESS_DOMAIN_INFO = (cast(NTSTATUS)0xC00000DAL); // // MessageId: STATUS_CANT_TERMINATE_SELF // // MessageText: // // Indicates that a thread attempted to terminate itself by default (called NtTerminateThread with NULL) and it was the last thread in the current process. // const auto STATUS_CANT_TERMINATE_SELF = (cast(NTSTATUS)0xC00000DBL); // // MessageId: STATUS_INVALID_SERVER_STATE // // MessageText: // // Indicates the Sam Server was in the wrong state to perform the desired operation. // const auto STATUS_INVALID_SERVER_STATE = (cast(NTSTATUS)0xC00000DCL); // // MessageId: STATUS_INVALID_DOMAIN_STATE // // MessageText: // // Indicates the Domain was in the wrong state to perform the desired operation. // const auto STATUS_INVALID_DOMAIN_STATE = (cast(NTSTATUS)0xC00000DDL); // // MessageId: STATUS_INVALID_DOMAIN_ROLE // // MessageText: // // This operation is only allowed for the Primary Domain Controller of the domain. // const auto STATUS_INVALID_DOMAIN_ROLE = (cast(NTSTATUS)0xC00000DEL); // // MessageId: STATUS_NO_SUCH_DOMAIN // // MessageText: // // The specified Domain did not exist. // const auto STATUS_NO_SUCH_DOMAIN = (cast(NTSTATUS)0xC00000DFL); // // MessageId: STATUS_DOMAIN_EXISTS // // MessageText: // // The specified Domain already exists. // const auto STATUS_DOMAIN_EXISTS = (cast(NTSTATUS)0xC00000E0L); // // MessageId: STATUS_DOMAIN_LIMIT_EXCEEDED // // MessageText: // // An attempt was made to exceed the limit on the number of domains per server for this release. // const auto STATUS_DOMAIN_LIMIT_EXCEEDED = (cast(NTSTATUS)0xC00000E1L); // // MessageId: STATUS_OPLOCK_NOT_GRANTED // // MessageText: // // Error status returned when oplock request is denied. // const auto STATUS_OPLOCK_NOT_GRANTED = (cast(NTSTATUS)0xC00000E2L); // // MessageId: STATUS_INVALID_OPLOCK_PROTOCOL // // MessageText: // // Error status returned when an invalid oplock acknowledgment is received by a file system. // const auto STATUS_INVALID_OPLOCK_PROTOCOL = (cast(NTSTATUS)0xC00000E3L); // // MessageId: STATUS_INTERNAL_DB_CORRUPTION // // MessageText: // // This error indicates that the requested operation cannot be completed due to a catastrophic media failure or on-disk data structure corruption. // const auto STATUS_INTERNAL_DB_CORRUPTION = (cast(NTSTATUS)0xC00000E4L); // // MessageId: STATUS_INTERNAL_ERROR // // MessageText: // // An internal error occurred. // const auto STATUS_INTERNAL_ERROR = (cast(NTSTATUS)0xC00000E5L); // // MessageId: STATUS_GENERIC_NOT_MAPPED // // MessageText: // // Indicates generic access types were contained in an access mask which should already be mapped to non-generic access types. // const auto STATUS_GENERIC_NOT_MAPPED = (cast(NTSTATUS)0xC00000E6L); // // MessageId: STATUS_BAD_DESCRIPTOR_FORMAT // // MessageText: // // Indicates a security descriptor is not in the necessary format (absolute or self-relative). // const auto STATUS_BAD_DESCRIPTOR_FORMAT = (cast(NTSTATUS)0xC00000E7L); // // Status codes raised by the Cache Manager which must be considered as // "expected" by its callers. // // // MessageId: STATUS_INVALID_USER_BUFFER // // MessageText: // // An access to a user buffer failed at an "expected" point in time. // This code is defined since the caller does not want to accept STATUS_ACCESS_VIOLATION in its filter. // const auto STATUS_INVALID_USER_BUFFER = (cast(NTSTATUS)0xC00000E8L); // // MessageId: STATUS_UNEXPECTED_IO_ERROR // // MessageText: // // If an I/O error is returned which is not defined in the standard FsRtl filter, it is converted to the following error which is guaranteed to be in the filter. // In this case information is lost, however, the filter correctly handles the exception. // const auto STATUS_UNEXPECTED_IO_ERROR = (cast(NTSTATUS)0xC00000E9L); // // MessageId: STATUS_UNEXPECTED_MM_CREATE_ERR // // MessageText: // // If an MM error is returned which is not defined in the standard FsRtl filter, it is converted to one of the following errors which is guaranteed to be in the filter. // In this case information is lost, however, the filter correctly handles the exception. // const auto STATUS_UNEXPECTED_MM_CREATE_ERR = (cast(NTSTATUS)0xC00000EAL); // // MessageId: STATUS_UNEXPECTED_MM_MAP_ERROR // // MessageText: // // If an MM error is returned which is not defined in the standard FsRtl filter, it is converted to one of the following errors which is guaranteed to be in the filter. // In this case information is lost, however, the filter correctly handles the exception. // const auto STATUS_UNEXPECTED_MM_MAP_ERROR = (cast(NTSTATUS)0xC00000EBL); // // MessageId: STATUS_UNEXPECTED_MM_EXTEND_ERR // // MessageText: // // If an MM error is returned which is not defined in the standard FsRtl filter, it is converted to one of the following errors which is guaranteed to be in the filter. // In this case information is lost, however, the filter correctly handles the exception. // const auto STATUS_UNEXPECTED_MM_EXTEND_ERR = (cast(NTSTATUS)0xC00000ECL); // // MessageId: STATUS_NOT_LOGON_PROCESS // // MessageText: // // The requested action is restricted for use by logon processes only. The calling process has not registered as a logon process. // const auto STATUS_NOT_LOGON_PROCESS = (cast(NTSTATUS)0xC00000EDL); // // MessageId: STATUS_LOGON_SESSION_EXISTS // // MessageText: // // An attempt has been made to start a new session manager or LSA logon session with an ID that is already in use. // const auto STATUS_LOGON_SESSION_EXISTS = (cast(NTSTATUS)0xC00000EEL); // // MessageId: STATUS_INVALID_PARAMETER_1 // // MessageText: // // An invalid parameter was passed to a service or function as the first argument. // const auto STATUS_INVALID_PARAMETER_1 = (cast(NTSTATUS)0xC00000EFL); // // MessageId: STATUS_INVALID_PARAMETER_2 // // MessageText: // // An invalid parameter was passed to a service or function as the second argument. // const auto STATUS_INVALID_PARAMETER_2 = (cast(NTSTATUS)0xC00000F0L); // // MessageId: STATUS_INVALID_PARAMETER_3 // // MessageText: // // An invalid parameter was passed to a service or function as the third argument. // const auto STATUS_INVALID_PARAMETER_3 = (cast(NTSTATUS)0xC00000F1L); // // MessageId: STATUS_INVALID_PARAMETER_4 // // MessageText: // // An invalid parameter was passed to a service or function as the fourth argument. // const auto STATUS_INVALID_PARAMETER_4 = (cast(NTSTATUS)0xC00000F2L); // // MessageId: STATUS_INVALID_PARAMETER_5 // // MessageText: // // An invalid parameter was passed to a service or function as the fifth argument. // const auto STATUS_INVALID_PARAMETER_5 = (cast(NTSTATUS)0xC00000F3L); // // MessageId: STATUS_INVALID_PARAMETER_6 // // MessageText: // // An invalid parameter was passed to a service or function as the sixth argument. // const auto STATUS_INVALID_PARAMETER_6 = (cast(NTSTATUS)0xC00000F4L); // // MessageId: STATUS_INVALID_PARAMETER_7 // // MessageText: // // An invalid parameter was passed to a service or function as the seventh argument. // const auto STATUS_INVALID_PARAMETER_7 = (cast(NTSTATUS)0xC00000F5L); // // MessageId: STATUS_INVALID_PARAMETER_8 // // MessageText: // // An invalid parameter was passed to a service or function as the eighth argument. // const auto STATUS_INVALID_PARAMETER_8 = (cast(NTSTATUS)0xC00000F6L); // // MessageId: STATUS_INVALID_PARAMETER_9 // // MessageText: // // An invalid parameter was passed to a service or function as the ninth argument. // const auto STATUS_INVALID_PARAMETER_9 = (cast(NTSTATUS)0xC00000F7L); // // MessageId: STATUS_INVALID_PARAMETER_10 // // MessageText: // // An invalid parameter was passed to a service or function as the tenth argument. // const auto STATUS_INVALID_PARAMETER_10 = (cast(NTSTATUS)0xC00000F8L); // // MessageId: STATUS_INVALID_PARAMETER_11 // // MessageText: // // An invalid parameter was passed to a service or function as the eleventh argument. // const auto STATUS_INVALID_PARAMETER_11 = (cast(NTSTATUS)0xC00000F9L); // // MessageId: STATUS_INVALID_PARAMETER_12 // // MessageText: // // An invalid parameter was passed to a service or function as the twelfth argument. // const auto STATUS_INVALID_PARAMETER_12 = (cast(NTSTATUS)0xC00000FAL); // // MessageId: STATUS_REDIRECTOR_NOT_STARTED // // MessageText: // // An attempt was made to access a network file, but the network software was not yet started. // const auto STATUS_REDIRECTOR_NOT_STARTED = (cast(NTSTATUS)0xC00000FBL); // // MessageId: STATUS_REDIRECTOR_STARTED // // MessageText: // // An attempt was made to start the redirector, but the redirector has already been started. // const auto STATUS_REDIRECTOR_STARTED = (cast(NTSTATUS)0xC00000FCL); // // MessageId: STATUS_STACK_OVERFLOW // // MessageText: // // A new guard page for the stack cannot be created. // //const auto STATUS_STACK_OVERFLOW = (cast(NTSTATUS)0xC00000FDL) ; // winnt // // MessageId: STATUS_NO_SUCH_PACKAGE // // MessageText: // // A specified authentication package is unknown. // const auto STATUS_NO_SUCH_PACKAGE = (cast(NTSTATUS)0xC00000FEL); // // MessageId: STATUS_BAD_FUNCTION_TABLE // // MessageText: // // A malformed function table was encountered during an unwind operation. // const auto STATUS_BAD_FUNCTION_TABLE = (cast(NTSTATUS)0xC00000FFL); // // MessageId: STATUS_VARIABLE_NOT_FOUND // // MessageText: // // Indicates the specified environment variable name was not found in the specified environment block. // const auto STATUS_VARIABLE_NOT_FOUND = (cast(NTSTATUS)0xC0000100L); // // MessageId: STATUS_DIRECTORY_NOT_EMPTY // // MessageText: // // Indicates that the directory trying to be deleted is not empty. // const auto STATUS_DIRECTORY_NOT_EMPTY = (cast(NTSTATUS)0xC0000101L); // // MessageId: STATUS_FILE_CORRUPT_ERROR // // MessageText: // // {Corrupt File} // The file or directory %hs is corrupt and unreadable. // Please run the Chkdsk utility. // const auto STATUS_FILE_CORRUPT_ERROR = (cast(NTSTATUS)0xC0000102L); // // MessageId: STATUS_NOT_A_DIRECTORY // // MessageText: // // A requested opened file is not a directory. // const auto STATUS_NOT_A_DIRECTORY = (cast(NTSTATUS)0xC0000103L); // // MessageId: STATUS_BAD_LOGON_SESSION_STATE // // MessageText: // // The logon session is not in a state that is consistent with the requested operation. // const auto STATUS_BAD_LOGON_SESSION_STATE = (cast(NTSTATUS)0xC0000104L); // // MessageId: STATUS_LOGON_SESSION_COLLISION // // MessageText: // // An internal LSA error has occurred. An authentication package has requested the creation of a Logon Session but the ID of an already existing Logon Session has been specified. // const auto STATUS_LOGON_SESSION_COLLISION = (cast(NTSTATUS)0xC0000105L); // // MessageId: STATUS_NAME_TOO_LONG // // MessageText: // // A specified name string is too long for its intended use. // const auto STATUS_NAME_TOO_LONG = (cast(NTSTATUS)0xC0000106L); // // MessageId: STATUS_FILES_OPEN // // MessageText: // // The user attempted to force close the files on a redirected drive, but there were opened files on the drive, and the user did not specify a sufficient level of force. // const auto STATUS_FILES_OPEN = (cast(NTSTATUS)0xC0000107L); // // MessageId: STATUS_CONNECTION_IN_USE // // MessageText: // // The user attempted to force close the files on a redirected drive, but there were opened directories on the drive, and the user did not specify a sufficient level of force. // const auto STATUS_CONNECTION_IN_USE = (cast(NTSTATUS)0xC0000108L); // // MessageId: STATUS_MESSAGE_NOT_FOUND // // MessageText: // // RtlFindMessage could not locate the requested message ID in the message table resource. // const auto STATUS_MESSAGE_NOT_FOUND = (cast(NTSTATUS)0xC0000109L); // // MessageId: STATUS_PROCESS_IS_TERMINATING // // MessageText: // // An attempt was made to access an exiting process. // const auto STATUS_PROCESS_IS_TERMINATING = (cast(NTSTATUS)0xC000010AL); // // MessageId: STATUS_INVALID_LOGON_TYPE // // MessageText: // // Indicates an invalid value has been provided for the LogonType requested. // const auto STATUS_INVALID_LOGON_TYPE = (cast(NTSTATUS)0xC000010BL); // // MessageId: STATUS_NO_GUID_TRANSLATION // // MessageText: // // Indicates that an attempt was made to assign protection to a file system file or directory and one of the SIDs in the security descriptor could not be translated into a GUID that could be stored by the file system. // This causes the protection attempt to fail, which may cause a file creation attempt to fail. // const auto STATUS_NO_GUID_TRANSLATION = (cast(NTSTATUS)0xC000010CL); // // MessageId: STATUS_CANNOT_IMPERSONATE // // MessageText: // // Indicates that an attempt has been made to impersonate via a named pipe that has not yet been read from. // const auto STATUS_CANNOT_IMPERSONATE = (cast(NTSTATUS)0xC000010DL); // // MessageId: STATUS_IMAGE_ALREADY_LOADED // // MessageText: // // Indicates that the specified image is already loaded. // const auto STATUS_IMAGE_ALREADY_LOADED = (cast(NTSTATUS)0xC000010EL); // // ============================================================ // NOTE: The following ABIOS error code should be reserved on // non ABIOS kernel. Eventually, I will remove the ifdef // ABIOS. // ============================================================ // // // MessageId: STATUS_ABIOS_NOT_PRESENT // // MessageText: // // STATUS_ABIOS_NOT_PRESENT // const auto STATUS_ABIOS_NOT_PRESENT = (cast(NTSTATUS)0xC000010FL); // // MessageId: STATUS_ABIOS_LID_NOT_EXIST // // MessageText: // // STATUS_ABIOS_LID_NOT_EXIST // const auto STATUS_ABIOS_LID_NOT_EXIST = (cast(NTSTATUS)0xC0000110L); // // MessageId: STATUS_ABIOS_LID_ALREADY_OWNED // // MessageText: // // STATUS_ABIOS_LID_ALREADY_OWNED // const auto STATUS_ABIOS_LID_ALREADY_OWNED = (cast(NTSTATUS)0xC0000111L); // // MessageId: STATUS_ABIOS_NOT_LID_OWNER // // MessageText: // // STATUS_ABIOS_NOT_LID_OWNER // const auto STATUS_ABIOS_NOT_LID_OWNER = (cast(NTSTATUS)0xC0000112L); // // MessageId: STATUS_ABIOS_INVALID_COMMAND // // MessageText: // // STATUS_ABIOS_INVALID_COMMAND // const auto STATUS_ABIOS_INVALID_COMMAND = (cast(NTSTATUS)0xC0000113L); // // MessageId: STATUS_ABIOS_INVALID_LID // // MessageText: // // STATUS_ABIOS_INVALID_LID // const auto STATUS_ABIOS_INVALID_LID = (cast(NTSTATUS)0xC0000114L); // // MessageId: STATUS_ABIOS_SELECTOR_NOT_AVAILABLE // // MessageText: // // STATUS_ABIOS_SELECTOR_NOT_AVAILABLE // const auto STATUS_ABIOS_SELECTOR_NOT_AVAILABLE = (cast(NTSTATUS)0xC0000115L); // // MessageId: STATUS_ABIOS_INVALID_SELECTOR // // MessageText: // // STATUS_ABIOS_INVALID_SELECTOR // const auto STATUS_ABIOS_INVALID_SELECTOR = (cast(NTSTATUS)0xC0000116L); // // MessageId: STATUS_NO_LDT // // MessageText: // // Indicates that an attempt was made to change the size of the LDT for a process that has no LDT. // const auto STATUS_NO_LDT = (cast(NTSTATUS)0xC0000117L); // // MessageId: STATUS_INVALID_LDT_SIZE // // MessageText: // // Indicates that an attempt was made to grow an LDT by setting its size, or that the size was not an even number of selectors. // const auto STATUS_INVALID_LDT_SIZE = (cast(NTSTATUS)0xC0000118L); // // MessageId: STATUS_INVALID_LDT_OFFSET // // MessageText: // // Indicates that the starting value for the LDT information was not an integral multiple of the selector size. // const auto STATUS_INVALID_LDT_OFFSET = (cast(NTSTATUS)0xC0000119L); // // MessageId: STATUS_INVALID_LDT_DESCRIPTOR // // MessageText: // // Indicates that the user supplied an invalid descriptor when trying to set up Ldt descriptors. // const auto STATUS_INVALID_LDT_DESCRIPTOR = (cast(NTSTATUS)0xC000011AL); // // MessageId: STATUS_INVALID_IMAGE_NE_FORMAT // // MessageText: // // The specified image file did not have the correct format. It appears to be NE format. // const auto STATUS_INVALID_IMAGE_NE_FORMAT = (cast(NTSTATUS)0xC000011BL); // // MessageId: STATUS_RXACT_INVALID_STATE // // MessageText: // // Indicates that the transaction state of a registry sub-tree is incompatible with the requested operation. // For example, a request has been made to start a new transaction with one already in progress, // or a request has been made to apply a transaction when one is not currently in progress. // const auto STATUS_RXACT_INVALID_STATE = (cast(NTSTATUS)0xC000011CL); // // MessageId: STATUS_RXACT_COMMIT_FAILURE // // MessageText: // // Indicates an error has occurred during a registry transaction commit. // The database has been left in an unknown, but probably inconsistent, state. // The state of the registry transaction is left as COMMITTING. // const auto STATUS_RXACT_COMMIT_FAILURE = (cast(NTSTATUS)0xC000011DL); // // MessageId: STATUS_MAPPED_FILE_SIZE_ZERO // // MessageText: // // An attempt was made to map a file of size zero with the maximum size specified as zero. // const auto STATUS_MAPPED_FILE_SIZE_ZERO = (cast(NTSTATUS)0xC000011EL); // // MessageId: STATUS_TOO_MANY_OPENED_FILES // // MessageText: // // Too many files are opened on a remote server. // This error should only be returned by the Windows redirector on a remote drive. // const auto STATUS_TOO_MANY_OPENED_FILES = (cast(NTSTATUS)0xC000011FL); // // MessageId: STATUS_CANCELLED // // MessageText: // // The I/O request was canceled. // const auto STATUS_CANCELLED = (cast(NTSTATUS)0xC0000120L); // // MessageId: STATUS_CANNOT_DELETE // // MessageText: // // An attempt has been made to remove a file or directory that cannot be deleted. // const auto STATUS_CANNOT_DELETE = (cast(NTSTATUS)0xC0000121L); // // MessageId: STATUS_INVALID_COMPUTER_NAME // // MessageText: // // Indicates a name specified as a remote computer name is syntactically invalid. // const auto STATUS_INVALID_COMPUTER_NAME = (cast(NTSTATUS)0xC0000122L); // // MessageId: STATUS_FILE_DELETED // // MessageText: // // An I/O request other than close was performed on a file after it has been deleted, // which can only happen to a request which did not complete before the last handle was closed via NtClose. // const auto STATUS_FILE_DELETED = (cast(NTSTATUS)0xC0000123L); // // MessageId: STATUS_SPECIAL_ACCOUNT // // MessageText: // // Indicates an operation has been attempted on a built-in (special) SAM account which is incompatible with built-in accounts. // For example, built-in accounts cannot be deleted. // const auto STATUS_SPECIAL_ACCOUNT = (cast(NTSTATUS)0xC0000124L); // // MessageId: STATUS_SPECIAL_GROUP // // MessageText: // // The operation requested may not be performed on the specified group because it is a built-in special group. // const auto STATUS_SPECIAL_GROUP = (cast(NTSTATUS)0xC0000125L); // // MessageId: STATUS_SPECIAL_USER // // MessageText: // // The operation requested may not be performed on the specified user because it is a built-in special user. // const auto STATUS_SPECIAL_USER = (cast(NTSTATUS)0xC0000126L); // // MessageId: STATUS_MEMBERS_PRIMARY_GROUP // // MessageText: // // Indicates a member cannot be removed from a group because the group is currently the member's primary group. // const auto STATUS_MEMBERS_PRIMARY_GROUP = (cast(NTSTATUS)0xC0000127L); // // MessageId: STATUS_FILE_CLOSED // // MessageText: // // An I/O request other than close and several other special case operations was attempted using a file object that had already been closed. // const auto STATUS_FILE_CLOSED = (cast(NTSTATUS)0xC0000128L); // // MessageId: STATUS_TOO_MANY_THREADS // // MessageText: // // Indicates a process has too many threads to perform the requested action. For example, assignment of a primary token may only be performed when a process has zero or one threads. // const auto STATUS_TOO_MANY_THREADS = (cast(NTSTATUS)0xC0000129L); // // MessageId: STATUS_THREAD_NOT_IN_PROCESS // // MessageText: // // An attempt was made to operate on a thread within a specific process, but the thread specified is not in the process specified. // const auto STATUS_THREAD_NOT_IN_PROCESS = (cast(NTSTATUS)0xC000012AL); // // MessageId: STATUS_TOKEN_ALREADY_IN_USE // // MessageText: // // An attempt was made to establish a token for use as a primary token but the token is already in use. A token can only be the primary token of one process at a time. // const auto STATUS_TOKEN_ALREADY_IN_USE = (cast(NTSTATUS)0xC000012BL); // // MessageId: STATUS_PAGEFILE_QUOTA_EXCEEDED // // MessageText: // // Page file quota was exceeded. // const auto STATUS_PAGEFILE_QUOTA_EXCEEDED = (cast(NTSTATUS)0xC000012CL); // // MessageId: STATUS_COMMITMENT_LIMIT // // MessageText: // // {Out of Virtual Memory} // Your system is low on virtual memory. To ensure that Windows runs properly, increase the size of your virtual memory paging file. For more information, see Help. // const auto STATUS_COMMITMENT_LIMIT = (cast(NTSTATUS)0xC000012DL); // // MessageId: STATUS_INVALID_IMAGE_LE_FORMAT // // MessageText: // // The specified image file did not have the correct format, it appears to be LE format. // const auto STATUS_INVALID_IMAGE_LE_FORMAT = (cast(NTSTATUS)0xC000012EL); // // MessageId: STATUS_INVALID_IMAGE_NOT_MZ // // MessageText: // // The specified image file did not have the correct format, it did not have an initial MZ. // const auto STATUS_INVALID_IMAGE_NOT_MZ = (cast(NTSTATUS)0xC000012FL); // // MessageId: STATUS_INVALID_IMAGE_PROTECT // // MessageText: // // The specified image file did not have the correct format, it did not have a proper e_lfarlc in the MZ header. // const auto STATUS_INVALID_IMAGE_PROTECT = (cast(NTSTATUS)0xC0000130L); // // MessageId: STATUS_INVALID_IMAGE_WIN_16 // // MessageText: // // The specified image file did not have the correct format, it appears to be a 16-bit Windows image. // const auto STATUS_INVALID_IMAGE_WIN_16 = (cast(NTSTATUS)0xC0000131L); // // MessageId: STATUS_LOGON_SERVER_CONFLICT // // MessageText: // // The Netlogon service cannot start because another Netlogon service running in the domain conflicts with the specified role. // const auto STATUS_LOGON_SERVER_CONFLICT = (cast(NTSTATUS)0xC0000132L); // // MessageId: STATUS_TIME_DIFFERENCE_AT_DC // // MessageText: // // The time at the Primary Domain Controller is different than the time at the Backup Domain Controller or member server by too large an amount. // const auto STATUS_TIME_DIFFERENCE_AT_DC = (cast(NTSTATUS)0xC0000133L); // // MessageId: STATUS_SYNCHRONIZATION_REQUIRED // // MessageText: // // The SAM database on a Windows Server is significantly out of synchronization with the copy on the Domain Controller. A complete synchronization is required. // const auto STATUS_SYNCHRONIZATION_REQUIRED = (cast(NTSTATUS)0xC0000134L); // // MessageId: STATUS_DLL_NOT_FOUND // // MessageText: // // {Unable To Locate Component} // This application has failed to start because %hs was not found. Re-installing the application may fix this problem. // const auto STATUS_DLL_NOT_FOUND = (cast(NTSTATUS)0xC0000135L); // // MessageId: STATUS_OPEN_FAILED // // MessageText: // // The NtCreateFile API failed. This error should never be returned to an application, it is a place holder for the Windows Lan Manager Redirector to use in its internal error mapping routines. // const auto STATUS_OPEN_FAILED = (cast(NTSTATUS)0xC0000136L); // // MessageId: STATUS_IO_PRIVILEGE_FAILED // // MessageText: // // {Privilege Failed} // The I/O permissions for the process could not be changed. // const auto STATUS_IO_PRIVILEGE_FAILED = (cast(NTSTATUS)0xC0000137L); // // MessageId: STATUS_ORDINAL_NOT_FOUND // // MessageText: // // {Ordinal Not Found} // The ordinal %ld could not be located in the dynamic link library %hs. // const auto STATUS_ORDINAL_NOT_FOUND = (cast(NTSTATUS)0xC0000138L); // // MessageId: STATUS_ENTRYPOINT_NOT_FOUND // // MessageText: // // {Entry Point Not Found} // The procedure entry point %hs could not be located in the dynamic link library %hs. // const auto STATUS_ENTRYPOINT_NOT_FOUND = (cast(NTSTATUS)0xC0000139L); // // MessageId: STATUS_CONTROL_C_EXIT // // MessageText: // // {Application Exit by CTRL+C} // The application terminated as a result of a CTRL+C. // //const auto STATUS_CONTROL_C_EXIT = (cast(NTSTATUS)0xC000013AL) ; // winnt // // MessageId: STATUS_LOCAL_DISCONNECT // // MessageText: // // {Virtual Circuit Closed} // The network transport on your computer has closed a network connection. There may or may not be I/O requests outstanding. // const auto STATUS_LOCAL_DISCONNECT = (cast(NTSTATUS)0xC000013BL); // // MessageId: STATUS_REMOTE_DISCONNECT // // MessageText: // // {Virtual Circuit Closed} // The network transport on a remote computer has closed a network connection. There may or may not be I/O requests outstanding. // const auto STATUS_REMOTE_DISCONNECT = (cast(NTSTATUS)0xC000013CL); // // MessageId: STATUS_REMOTE_RESOURCES // // MessageText: // // {Insufficient Resources on Remote Computer} // The remote computer has insufficient resources to complete the network request. For instance, there may not be enough memory available on the remote computer to carry out the request at this time. // const auto STATUS_REMOTE_RESOURCES = (cast(NTSTATUS)0xC000013DL); // // MessageId: STATUS_LINK_FAILED // // MessageText: // // {Virtual Circuit Closed} // An existing connection (virtual circuit) has been broken at the remote computer. There is probably something wrong with the network software protocol or the network hardware on the remote computer. // const auto STATUS_LINK_FAILED = (cast(NTSTATUS)0xC000013EL); // // MessageId: STATUS_LINK_TIMEOUT // // MessageText: // // {Virtual Circuit Closed} // The network transport on your computer has closed a network connection because it had to wait too long for a response from the remote computer. // const auto STATUS_LINK_TIMEOUT = (cast(NTSTATUS)0xC000013FL); // // MessageId: STATUS_INVALID_CONNECTION // // MessageText: // // The connection handle given to the transport was invalid. // const auto STATUS_INVALID_CONNECTION = (cast(NTSTATUS)0xC0000140L); // // MessageId: STATUS_INVALID_ADDRESS // // MessageText: // // The address handle given to the transport was invalid. // const auto STATUS_INVALID_ADDRESS = (cast(NTSTATUS)0xC0000141L); // // MessageId: STATUS_DLL_INIT_FAILED // // MessageText: // // {DLL Initialization Failed} // Initialization of the dynamic link library %hs failed. The process is terminating abnormally. // const auto STATUS_DLL_INIT_FAILED = (cast(NTSTATUS)0xC0000142L); // // MessageId: STATUS_MISSING_SYSTEMFILE // // MessageText: // // {Missing System File} // The required system file %hs is bad or missing. // const auto STATUS_MISSING_SYSTEMFILE = (cast(NTSTATUS)0xC0000143L); // // MessageId: STATUS_UNHANDLED_EXCEPTION // // MessageText: // // {Application Error} // The exception %s (0x%08lx) occurred in the application at location 0x%08lx. // const auto STATUS_UNHANDLED_EXCEPTION = (cast(NTSTATUS)0xC0000144L); // // MessageId: STATUS_APP_INIT_FAILURE // // MessageText: // // {Application Error} // The application failed to initialize properly (0x%lx). Click OK to terminate the application. // const auto STATUS_APP_INIT_FAILURE = (cast(NTSTATUS)0xC0000145L); // // MessageId: STATUS_PAGEFILE_CREATE_FAILED // // MessageText: // // {Unable to Create Paging File} // The creation of the paging file %hs failed (%lx). The requested size was %ld. // const auto STATUS_PAGEFILE_CREATE_FAILED = (cast(NTSTATUS)0xC0000146L); // // MessageId: STATUS_NO_PAGEFILE // // MessageText: // // {No Paging File Specified} // No paging file was specified in the system configuration. // const auto STATUS_NO_PAGEFILE = (cast(NTSTATUS)0xC0000147L); // // MessageId: STATUS_INVALID_LEVEL // // MessageText: // // {Incorrect System Call Level} // An invalid level was passed into the specified system call. // const auto STATUS_INVALID_LEVEL = (cast(NTSTATUS)0xC0000148L); // // MessageId: STATUS_WRONG_PASSWORD_CORE // // MessageText: // // {Incorrect Password to LAN Manager Server} // You specified an incorrect password to a LAN Manager 2.x or MS-NET server. // const auto STATUS_WRONG_PASSWORD_CORE = (cast(NTSTATUS)0xC0000149L); // // MessageId: STATUS_ILLEGAL_FLOAT_CONTEXT // // MessageText: // // {EXCEPTION} // A real-mode application issued a floating-point instruction and floating-point hardware is not present. // const auto STATUS_ILLEGAL_FLOAT_CONTEXT = (cast(NTSTATUS)0xC000014AL); // // MessageId: STATUS_PIPE_BROKEN // // MessageText: // // The pipe operation has failed because the other end of the pipe has been closed. // const auto STATUS_PIPE_BROKEN = (cast(NTSTATUS)0xC000014BL); // // MessageId: STATUS_REGISTRY_CORRUPT // // MessageText: // // {The Registry Is Corrupt} // The structure of one of the files that contains Registry data is corrupt, or the image of the file in memory is corrupt, or the file could not be recovered because the alternate copy or log was absent or corrupt. // const auto STATUS_REGISTRY_CORRUPT = (cast(NTSTATUS)0xC000014CL); // // MessageId: STATUS_REGISTRY_IO_FAILED // // MessageText: // // An I/O operation initiated by the Registry failed unrecoverably. // The Registry could not read in, or write out, or flush, one of the files that contain the system's image of the Registry. // const auto STATUS_REGISTRY_IO_FAILED = (cast(NTSTATUS)0xC000014DL); // // MessageId: STATUS_NO_EVENT_PAIR // // MessageText: // // An event pair synchronization operation was performed using the thread specific client/server event pair object, but no event pair object was associated with the thread. // const auto STATUS_NO_EVENT_PAIR = (cast(NTSTATUS)0xC000014EL); // // MessageId: STATUS_UNRECOGNIZED_VOLUME // // MessageText: // // The volume does not contain a recognized file system. // Please make sure that all required file system drivers are loaded and that the volume is not corrupt. // const auto STATUS_UNRECOGNIZED_VOLUME = (cast(NTSTATUS)0xC000014FL); // // MessageId: STATUS_SERIAL_NO_DEVICE_INITED // // MessageText: // // No serial device was successfully initialized. The serial driver will unload. // const auto STATUS_SERIAL_NO_DEVICE_INITED = (cast(NTSTATUS)0xC0000150L); // // MessageId: STATUS_NO_SUCH_ALIAS // // MessageText: // // The specified local group does not exist. // const auto STATUS_NO_SUCH_ALIAS = (cast(NTSTATUS)0xC0000151L); // // MessageId: STATUS_MEMBER_NOT_IN_ALIAS // // MessageText: // // The specified account name is not a member of the group. // const auto STATUS_MEMBER_NOT_IN_ALIAS = (cast(NTSTATUS)0xC0000152L); // // MessageId: STATUS_MEMBER_IN_ALIAS // // MessageText: // // The specified account name is already a member of the group. // const auto STATUS_MEMBER_IN_ALIAS = (cast(NTSTATUS)0xC0000153L); // // MessageId: STATUS_ALIAS_EXISTS // // MessageText: // // The specified local group already exists. // const auto STATUS_ALIAS_EXISTS = (cast(NTSTATUS)0xC0000154L); // // MessageId: STATUS_LOGON_NOT_GRANTED // // MessageText: // // A requested type of logon (e.g., Interactive, Network, Service) is not granted by the target system's local security policy. // Please ask the system administrator to grant the necessary form of logon. // const auto STATUS_LOGON_NOT_GRANTED = (cast(NTSTATUS)0xC0000155L); // // MessageId: STATUS_TOO_MANY_SECRETS // // MessageText: // // The maximum number of secrets that may be stored in a single system has been exceeded. The length and number of secrets is limited to satisfy United States State Department export restrictions. // const auto STATUS_TOO_MANY_SECRETS = (cast(NTSTATUS)0xC0000156L); // // MessageId: STATUS_SECRET_TOO_LONG // // MessageText: // // The length of a secret exceeds the maximum length allowed. The length and number of secrets is limited to satisfy United States State Department export restrictions. // const auto STATUS_SECRET_TOO_LONG = (cast(NTSTATUS)0xC0000157L); // // MessageId: STATUS_INTERNAL_DB_ERROR // // MessageText: // // The Local Security Authority (LSA) database contains an internal inconsistency. // const auto STATUS_INTERNAL_DB_ERROR = (cast(NTSTATUS)0xC0000158L); // // MessageId: STATUS_FULLSCREEN_MODE // // MessageText: // // The requested operation cannot be performed in fullscreen mode. // const auto STATUS_FULLSCREEN_MODE = (cast(NTSTATUS)0xC0000159L); // // MessageId: STATUS_TOO_MANY_CONTEXT_IDS // // MessageText: // // During a logon attempt, the user's security context accumulated too many security IDs. This is a very unusual situation. // Remove the user from some global or local groups to reduce the number of security ids to incorporate into the security context. // const auto STATUS_TOO_MANY_CONTEXT_IDS = (cast(NTSTATUS)0xC000015AL); // // MessageId: STATUS_LOGON_TYPE_NOT_GRANTED // // MessageText: // // A user has requested a type of logon (e.g., interactive or network) that has not been granted. An administrator has control over who may logon interactively and through the network. // const auto STATUS_LOGON_TYPE_NOT_GRANTED = (cast(NTSTATUS)0xC000015BL); // // MessageId: STATUS_NOT_REGISTRY_FILE // // MessageText: // // The system has attempted to load or restore a file into the registry, and the specified file is not in the format of a registry file. // const auto STATUS_NOT_REGISTRY_FILE = (cast(NTSTATUS)0xC000015CL); // // MessageId: STATUS_NT_CROSS_ENCRYPTION_REQUIRED // // MessageText: // // An attempt was made to change a user password in the security account manager without providing the necessary Windows cross-encrypted password. // const auto STATUS_NT_CROSS_ENCRYPTION_REQUIRED = (cast(NTSTATUS)0xC000015DL); // // MessageId: STATUS_DOMAIN_CTRLR_CONFIG_ERROR // // MessageText: // // A Windows Server has an incorrect configuration. // const auto STATUS_DOMAIN_CTRLR_CONFIG_ERROR = (cast(NTSTATUS)0xC000015EL); // // MessageId: STATUS_FT_MISSING_MEMBER // // MessageText: // // An attempt was made to explicitly access the secondary copy of information via a device control to the Fault Tolerance driver and the secondary copy is not present in the system. // const auto STATUS_FT_MISSING_MEMBER = (cast(NTSTATUS)0xC000015FL); // // MessageId: STATUS_ILL_FORMED_SERVICE_ENTRY // // MessageText: // // A configuration registry node representing a driver service entry was ill-formed and did not contain required value entries. // const auto STATUS_ILL_FORMED_SERVICE_ENTRY = (cast(NTSTATUS)0xC0000160L); // // MessageId: STATUS_ILLEGAL_CHARACTER // // MessageText: // // An illegal character was encountered. For a multi-byte character set this includes a lead byte without a succeeding trail byte. For the Unicode character set this includes the characters 0xFFFF and 0xFFFE. // const auto STATUS_ILLEGAL_CHARACTER = (cast(NTSTATUS)0xC0000161L); // // MessageId: STATUS_UNMAPPABLE_CHARACTER // // MessageText: // // No mapping for the Unicode character exists in the target multi-byte code page. // const auto STATUS_UNMAPPABLE_CHARACTER = (cast(NTSTATUS)0xC0000162L); // // MessageId: STATUS_UNDEFINED_CHARACTER // // MessageText: // // The Unicode character is not defined in the Unicode character set installed on the system. // const auto STATUS_UNDEFINED_CHARACTER = (cast(NTSTATUS)0xC0000163L); // // MessageId: STATUS_FLOPPY_VOLUME // // MessageText: // // The paging file cannot be created on a floppy diskette. // const auto STATUS_FLOPPY_VOLUME = (cast(NTSTATUS)0xC0000164L); // // MessageId: STATUS_FLOPPY_ID_MARK_NOT_FOUND // // MessageText: // // {Floppy Disk Error} // While accessing a floppy disk, an ID address mark was not found. // const auto STATUS_FLOPPY_ID_MARK_NOT_FOUND = (cast(NTSTATUS)0xC0000165L); // // MessageId: STATUS_FLOPPY_WRONG_CYLINDER // // MessageText: // // {Floppy Disk Error} // While accessing a floppy disk, the track address from the sector ID field was found to be different than the track address maintained by the controller. // const auto STATUS_FLOPPY_WRONG_CYLINDER = (cast(NTSTATUS)0xC0000166L); // // MessageId: STATUS_FLOPPY_UNKNOWN_ERROR // // MessageText: // // {Floppy Disk Error} // The floppy disk controller reported an error that is not recognized by the floppy disk driver. // const auto STATUS_FLOPPY_UNKNOWN_ERROR = (cast(NTSTATUS)0xC0000167L); // // MessageId: STATUS_FLOPPY_BAD_REGISTERS // // MessageText: // // {Floppy Disk Error} // While accessing a floppy-disk, the controller returned inconsistent results via its registers. // const auto STATUS_FLOPPY_BAD_REGISTERS = (cast(NTSTATUS)0xC0000168L); // // MessageId: STATUS_DISK_RECALIBRATE_FAILED // // MessageText: // // {Hard Disk Error} // While accessing the hard disk, a recalibrate operation failed, even after retries. // const auto STATUS_DISK_RECALIBRATE_FAILED = (cast(NTSTATUS)0xC0000169L); // // MessageId: STATUS_DISK_OPERATION_FAILED // // MessageText: // // {Hard Disk Error} // While accessing the hard disk, a disk operation failed even after retries. // const auto STATUS_DISK_OPERATION_FAILED = (cast(NTSTATUS)0xC000016AL); // // MessageId: STATUS_DISK_RESET_FAILED // // MessageText: // // {Hard Disk Error} // While accessing the hard disk, a disk controller reset was needed, but even that failed. // const auto STATUS_DISK_RESET_FAILED = (cast(NTSTATUS)0xC000016BL); // // MessageId: STATUS_SHARED_IRQ_BUSY // // MessageText: // // An attempt was made to open a device that was sharing an IRQ with other devices. // At least one other device that uses that IRQ was already opened. // Two concurrent opens of devices that share an IRQ and only work via interrupts is not supported for the particular bus type that the devices use. // const auto STATUS_SHARED_IRQ_BUSY = (cast(NTSTATUS)0xC000016CL); // // MessageId: STATUS_FT_ORPHANING // // MessageText: // // {FT Orphaning} // A disk that is part of a fault-tolerant volume can no longer be accessed. // const auto STATUS_FT_ORPHANING = (cast(NTSTATUS)0xC000016DL); // // MessageId: STATUS_BIOS_FAILED_TO_CONNECT_INTERRUPT // // MessageText: // // The system bios failed to connect a system interrupt to the device or bus for // which the device is connected. // const auto STATUS_BIOS_FAILED_TO_CONNECT_INTERRUPT = (cast(NTSTATUS)0xC000016EL); // // MessageId: STATUS_PARTITION_FAILURE // // MessageText: // // Tape could not be partitioned. // const auto STATUS_PARTITION_FAILURE = (cast(NTSTATUS)0xC0000172L); // // MessageId: STATUS_INVALID_BLOCK_LENGTH // // MessageText: // // When accessing a new tape of a multivolume partition, the current blocksize is incorrect. // const auto STATUS_INVALID_BLOCK_LENGTH = (cast(NTSTATUS)0xC0000173L); // // MessageId: STATUS_DEVICE_NOT_PARTITIONED // // MessageText: // // Tape partition information could not be found when loading a tape. // const auto STATUS_DEVICE_NOT_PARTITIONED = (cast(NTSTATUS)0xC0000174L); // // MessageId: STATUS_UNABLE_TO_LOCK_MEDIA // // MessageText: // // Attempt to lock the eject media mechanism fails. // const auto STATUS_UNABLE_TO_LOCK_MEDIA = (cast(NTSTATUS)0xC0000175L); // // MessageId: STATUS_UNABLE_TO_UNLOAD_MEDIA // // MessageText: // // Unload media fails. // const auto STATUS_UNABLE_TO_UNLOAD_MEDIA = (cast(NTSTATUS)0xC0000176L); // // MessageId: STATUS_EOM_OVERFLOW // // MessageText: // // Physical end of tape was detected. // const auto STATUS_EOM_OVERFLOW = (cast(NTSTATUS)0xC0000177L); // // MessageId: STATUS_NO_MEDIA // // MessageText: // // {No Media} // There is no media in the drive. // Please insert media into drive %hs. // const auto STATUS_NO_MEDIA = (cast(NTSTATUS)0xC0000178L); // // MessageId: STATUS_NO_SUCH_MEMBER // // MessageText: // // A member could not be added to or removed from the local group because the member does not exist. // const auto STATUS_NO_SUCH_MEMBER = (cast(NTSTATUS)0xC000017AL); // // MessageId: STATUS_INVALID_MEMBER // // MessageText: // // A new member could not be added to a local group because the member has the wrong account type. // const auto STATUS_INVALID_MEMBER = (cast(NTSTATUS)0xC000017BL); // // MessageId: STATUS_KEY_DELETED // // MessageText: // // Illegal operation attempted on a registry key which has been marked for deletion. // const auto STATUS_KEY_DELETED = (cast(NTSTATUS)0xC000017CL); // // MessageId: STATUS_NO_LOG_SPACE // // MessageText: // // System could not allocate required space in a registry log. // const auto STATUS_NO_LOG_SPACE = (cast(NTSTATUS)0xC000017DL); // // MessageId: STATUS_TOO_MANY_SIDS // // MessageText: // // Too many Sids have been specified. // const auto STATUS_TOO_MANY_SIDS = (cast(NTSTATUS)0xC000017EL); // // MessageId: STATUS_LM_CROSS_ENCRYPTION_REQUIRED // // MessageText: // // An attempt was made to change a user password in the security account manager without providing the necessary LM cross-encrypted password. // const auto STATUS_LM_CROSS_ENCRYPTION_REQUIRED = (cast(NTSTATUS)0xC000017FL); // // MessageId: STATUS_KEY_HAS_CHILDREN // // MessageText: // // An attempt was made to create a symbolic link in a registry key that already has subkeys or values. // const auto STATUS_KEY_HAS_CHILDREN = (cast(NTSTATUS)0xC0000180L); // // MessageId: STATUS_CHILD_MUST_BE_VOLATILE // // MessageText: // // An attempt was made to create a Stable subkey under a Volatile parent key. // const auto STATUS_CHILD_MUST_BE_VOLATILE = (cast(NTSTATUS)0xC0000181L); // // MessageId: STATUS_DEVICE_CONFIGURATION_ERROR // // MessageText: // // The I/O device is configured incorrectly or the configuration parameters to the driver are incorrect. // const auto STATUS_DEVICE_CONFIGURATION_ERROR = (cast(NTSTATUS)0xC0000182L); // // MessageId: STATUS_DRIVER_INTERNAL_ERROR // // MessageText: // // An error was detected between two drivers or within an I/O driver. // const auto STATUS_DRIVER_INTERNAL_ERROR = (cast(NTSTATUS)0xC0000183L); // // MessageId: STATUS_INVALID_DEVICE_STATE // // MessageText: // // The device is not in a valid state to perform this request. // const auto STATUS_INVALID_DEVICE_STATE = (cast(NTSTATUS)0xC0000184L); // // MessageId: STATUS_IO_DEVICE_ERROR // // MessageText: // // The I/O device reported an I/O error. // const auto STATUS_IO_DEVICE_ERROR = (cast(NTSTATUS)0xC0000185L); // // MessageId: STATUS_DEVICE_PROTOCOL_ERROR // // MessageText: // // A protocol error was detected between the driver and the device. // const auto STATUS_DEVICE_PROTOCOL_ERROR = (cast(NTSTATUS)0xC0000186L); // // MessageId: STATUS_BACKUP_CONTROLLER // // MessageText: // // This operation is only allowed for the Primary Domain Controller of the domain. // const auto STATUS_BACKUP_CONTROLLER = (cast(NTSTATUS)0xC0000187L); // // MessageId: STATUS_LOG_FILE_FULL // // MessageText: // // Log file space is insufficient to support this operation. // const auto STATUS_LOG_FILE_FULL = (cast(NTSTATUS)0xC0000188L); // // MessageId: STATUS_TOO_LATE // // MessageText: // // A write operation was attempted to a volume after it was dismounted. // const auto STATUS_TOO_LATE = (cast(NTSTATUS)0xC0000189L); // // MessageId: STATUS_NO_TRUST_LSA_SECRET // // MessageText: // // The workstation does not have a trust secret for the primary domain in the local LSA database. // const auto STATUS_NO_TRUST_LSA_SECRET = (cast(NTSTATUS)0xC000018AL); // // MessageId: STATUS_NO_TRUST_SAM_ACCOUNT // // MessageText: // // The SAM database on the Windows Server does not have a computer account for this workstation trust relationship. // const auto STATUS_NO_TRUST_SAM_ACCOUNT = (cast(NTSTATUS)0xC000018BL); // // MessageId: STATUS_TRUSTED_DOMAIN_FAILURE // // MessageText: // // The logon request failed because the trust relationship between the primary domain and the trusted domain failed. // const auto STATUS_TRUSTED_DOMAIN_FAILURE = (cast(NTSTATUS)0xC000018CL); // // MessageId: STATUS_TRUSTED_RELATIONSHIP_FAILURE // // MessageText: // // The logon request failed because the trust relationship between this workstation and the primary domain failed. // const auto STATUS_TRUSTED_RELATIONSHIP_FAILURE = (cast(NTSTATUS)0xC000018DL); // // MessageId: STATUS_EVENTLOG_FILE_CORRUPT // // MessageText: // // The Eventlog log file is corrupt. // const auto STATUS_EVENTLOG_FILE_CORRUPT = (cast(NTSTATUS)0xC000018EL); // // MessageId: STATUS_EVENTLOG_CANT_START // // MessageText: // // No Eventlog log file could be opened. The Eventlog service did not start. // const auto STATUS_EVENTLOG_CANT_START = (cast(NTSTATUS)0xC000018FL); // // MessageId: STATUS_TRUST_FAILURE // // MessageText: // // The network logon failed. This may be because the validation authority can't be reached. // const auto STATUS_TRUST_FAILURE = (cast(NTSTATUS)0xC0000190L); // // MessageId: STATUS_MUTANT_LIMIT_EXCEEDED // // MessageText: // // An attempt was made to acquire a mutant such that its maximum count would have been exceeded. // const auto STATUS_MUTANT_LIMIT_EXCEEDED = (cast(NTSTATUS)0xC0000191L); // // MessageId: STATUS_NETLOGON_NOT_STARTED // // MessageText: // // An attempt was made to logon, but the netlogon service was not started. // const auto STATUS_NETLOGON_NOT_STARTED = (cast(NTSTATUS)0xC0000192L); // // MessageId: STATUS_ACCOUNT_EXPIRED // // MessageText: // // The user's account has expired. // const auto STATUS_ACCOUNT_EXPIRED = (cast(NTSTATUS)0xC0000193L) ; // ntsubauth // // MessageId: STATUS_POSSIBLE_DEADLOCK // // MessageText: // // {EXCEPTION} // Possible deadlock condition. // const auto STATUS_POSSIBLE_DEADLOCK = (cast(NTSTATUS)0xC0000194L); // // MessageId: STATUS_NETWORK_CREDENTIAL_CONFLICT // // MessageText: // // Multiple connections to a server or shared resource by the same user, using more than one user name, are not allowed. Disconnect all previous connections to the server or shared resource and try again. // const auto STATUS_NETWORK_CREDENTIAL_CONFLICT = (cast(NTSTATUS)0xC0000195L); // // MessageId: STATUS_REMOTE_SESSION_LIMIT // // MessageText: // // An attempt was made to establish a session to a network server, but there are already too many sessions established to that server. // const auto STATUS_REMOTE_SESSION_LIMIT = (cast(NTSTATUS)0xC0000196L); // // MessageId: STATUS_EVENTLOG_FILE_CHANGED // // MessageText: // // The log file has changed between reads. // const auto STATUS_EVENTLOG_FILE_CHANGED = (cast(NTSTATUS)0xC0000197L); // // MessageId: STATUS_NOLOGON_INTERDOMAIN_TRUST_ACCOUNT // // MessageText: // // The account used is an Interdomain Trust account. Use your global user account or local user account to access this server. // const auto STATUS_NOLOGON_INTERDOMAIN_TRUST_ACCOUNT = (cast(NTSTATUS)0xC0000198L); // // MessageId: STATUS_NOLOGON_WORKSTATION_TRUST_ACCOUNT // // MessageText: // // The account used is a Computer Account. Use your global user account or local user account to access this server. // const auto STATUS_NOLOGON_WORKSTATION_TRUST_ACCOUNT = (cast(NTSTATUS)0xC0000199L); // // MessageId: STATUS_NOLOGON_SERVER_TRUST_ACCOUNT // // MessageText: // // The account used is an Server Trust account. Use your global user account or local user account to access this server. // const auto STATUS_NOLOGON_SERVER_TRUST_ACCOUNT = (cast(NTSTATUS)0xC000019AL); // // MessageId: STATUS_DOMAIN_TRUST_INCONSISTENT // // MessageText: // // The name or SID of the domain specified is inconsistent with the trust information for that domain. // const auto STATUS_DOMAIN_TRUST_INCONSISTENT = (cast(NTSTATUS)0xC000019BL); // // MessageId: STATUS_FS_DRIVER_REQUIRED // // MessageText: // // A volume has been accessed for which a file system driver is required that has not yet been loaded. // const auto STATUS_FS_DRIVER_REQUIRED = (cast(NTSTATUS)0xC000019CL); // // MessageId: STATUS_IMAGE_ALREADY_LOADED_AS_DLL // // MessageText: // // Indicates that the specified image is already loaded as a DLL. // const auto STATUS_IMAGE_ALREADY_LOADED_AS_DLL = (cast(NTSTATUS)0xC000019DL); // // MessageId: STATUS_NETWORK_OPEN_RESTRICTION // // MessageText: // // A remote open failed because the network open restrictions were not satisfied. // const auto STATUS_NETWORK_OPEN_RESTRICTION = (cast(NTSTATUS)0xC0000201L); // // MessageId: STATUS_NO_USER_SESSION_KEY // // MessageText: // // There is no user session key for the specified logon session. // const auto STATUS_NO_USER_SESSION_KEY = (cast(NTSTATUS)0xC0000202L); // // MessageId: STATUS_USER_SESSION_DELETED // // MessageText: // // The remote user session has been deleted. // const auto STATUS_USER_SESSION_DELETED = (cast(NTSTATUS)0xC0000203L); // // MessageId: STATUS_RESOURCE_LANG_NOT_FOUND // // MessageText: // // Indicates the specified resource language ID cannot be found in the // image file. // const auto STATUS_RESOURCE_LANG_NOT_FOUND = (cast(NTSTATUS)0xC0000204L); // // MessageId: STATUS_INSUFF_SERVER_RESOURCES // // MessageText: // // Insufficient server resources exist to complete the request. // const auto STATUS_INSUFF_SERVER_RESOURCES = (cast(NTSTATUS)0xC0000205L); // // MessageId: STATUS_INVALID_BUFFER_SIZE // // MessageText: // // The size of the buffer is invalid for the specified operation. // const auto STATUS_INVALID_BUFFER_SIZE = (cast(NTSTATUS)0xC0000206L); // // MessageId: STATUS_INVALID_ADDRESS_COMPONENT // // MessageText: // // The transport rejected the network address specified as invalid. // const auto STATUS_INVALID_ADDRESS_COMPONENT = (cast(NTSTATUS)0xC0000207L); // // MessageId: STATUS_INVALID_ADDRESS_WILDCARD // // MessageText: // // The transport rejected the network address specified due to an invalid use of a wildcard. // const auto STATUS_INVALID_ADDRESS_WILDCARD = (cast(NTSTATUS)0xC0000208L); // // MessageId: STATUS_TOO_MANY_ADDRESSES // // MessageText: // // The transport address could not be opened because all the available addresses are in use. // const auto STATUS_TOO_MANY_ADDRESSES = (cast(NTSTATUS)0xC0000209L); // // MessageId: STATUS_ADDRESS_ALREADY_EXISTS // // MessageText: // // The transport address could not be opened because it already exists. // const auto STATUS_ADDRESS_ALREADY_EXISTS = (cast(NTSTATUS)0xC000020AL); // // MessageId: STATUS_ADDRESS_CLOSED // // MessageText: // // The transport address is now closed. // const auto STATUS_ADDRESS_CLOSED = (cast(NTSTATUS)0xC000020BL); // // MessageId: STATUS_CONNECTION_DISCONNECTED // // MessageText: // // The transport connection is now disconnected. // const auto STATUS_CONNECTION_DISCONNECTED = (cast(NTSTATUS)0xC000020CL); // // MessageId: STATUS_CONNECTION_RESET // // MessageText: // // The transport connection has been reset. // const auto STATUS_CONNECTION_RESET = (cast(NTSTATUS)0xC000020DL); // // MessageId: STATUS_TOO_MANY_NODES // // MessageText: // // The transport cannot dynamically acquire any more nodes. // const auto STATUS_TOO_MANY_NODES = (cast(NTSTATUS)0xC000020EL); // // MessageId: STATUS_TRANSACTION_ABORTED // // MessageText: // // The transport aborted a pending transaction. // const auto STATUS_TRANSACTION_ABORTED = (cast(NTSTATUS)0xC000020FL); // // MessageId: STATUS_TRANSACTION_TIMED_OUT // // MessageText: // // The transport timed out a request waiting for a response. // const auto STATUS_TRANSACTION_TIMED_OUT = (cast(NTSTATUS)0xC0000210L); // // MessageId: STATUS_TRANSACTION_NO_RELEASE // // MessageText: // // The transport did not receive a release for a pending response. // const auto STATUS_TRANSACTION_NO_RELEASE = (cast(NTSTATUS)0xC0000211L); // // MessageId: STATUS_TRANSACTION_NO_MATCH // // MessageText: // // The transport did not find a transaction matching the specific // token. // const auto STATUS_TRANSACTION_NO_MATCH = (cast(NTSTATUS)0xC0000212L); // // MessageId: STATUS_TRANSACTION_RESPONDED // // MessageText: // // The transport had previously responded to a transaction request. // const auto STATUS_TRANSACTION_RESPONDED = (cast(NTSTATUS)0xC0000213L); // // MessageId: STATUS_TRANSACTION_INVALID_ID // // MessageText: // // The transport does not recognized the transaction request identifier specified. // const auto STATUS_TRANSACTION_INVALID_ID = (cast(NTSTATUS)0xC0000214L); // // MessageId: STATUS_TRANSACTION_INVALID_TYPE // // MessageText: // // The transport does not recognize the transaction request type specified. // const auto STATUS_TRANSACTION_INVALID_TYPE = (cast(NTSTATUS)0xC0000215L); // // MessageId: STATUS_NOT_SERVER_SESSION // // MessageText: // // The transport can only process the specified request on the server side of a session. // const auto STATUS_NOT_SERVER_SESSION = (cast(NTSTATUS)0xC0000216L); // // MessageId: STATUS_NOT_CLIENT_SESSION // // MessageText: // // The transport can only process the specified request on the client side of a session. // const auto STATUS_NOT_CLIENT_SESSION = (cast(NTSTATUS)0xC0000217L); // // MessageId: STATUS_CANNOT_LOAD_REGISTRY_FILE // // MessageText: // // {Registry File Failure} // The registry cannot load the hive (file): // %hs // or its log or alternate. // It is corrupt, absent, or not writable. // const auto STATUS_CANNOT_LOAD_REGISTRY_FILE = (cast(NTSTATUS)0xC0000218L); // // MessageId: STATUS_DEBUG_ATTACH_FAILED // // MessageText: // // {Unexpected Failure in DebugActiveProcess} // An unexpected failure occurred while processing a DebugActiveProcess API request. You may choose OK to terminate the process, or Cancel to ignore the error. // const auto STATUS_DEBUG_ATTACH_FAILED = (cast(NTSTATUS)0xC0000219L); // // MessageId: STATUS_SYSTEM_PROCESS_TERMINATED // // MessageText: // // {Fatal System Error} // The %hs system process terminated unexpectedly with a status of 0x%08x (0x%08x 0x%08x). // The system has been shut down. // const auto STATUS_SYSTEM_PROCESS_TERMINATED = (cast(NTSTATUS)0xC000021AL); // // MessageId: STATUS_DATA_NOT_ACCEPTED // // MessageText: // // {Data Not Accepted} // The TDI client could not handle the data received during an indication. // const auto STATUS_DATA_NOT_ACCEPTED = (cast(NTSTATUS)0xC000021BL); // // MessageId: STATUS_NO_BROWSER_SERVERS_FOUND // // MessageText: // // {Unable to Retrieve Browser Server List} // The list of servers for this workgroup is not currently available. // const auto STATUS_NO_BROWSER_SERVERS_FOUND = (cast(NTSTATUS)0xC000021CL); // // MessageId: STATUS_VDM_HARD_ERROR // // MessageText: // // NTVDM encountered a hard error. // const auto STATUS_VDM_HARD_ERROR = (cast(NTSTATUS)0xC000021DL); // // MessageId: STATUS_DRIVER_CANCEL_TIMEOUT // // MessageText: // // {Cancel Timeout} // The driver %hs failed to complete a cancelled I/O request in the allotted time. // const auto STATUS_DRIVER_CANCEL_TIMEOUT = (cast(NTSTATUS)0xC000021EL); // // MessageId: STATUS_REPLY_MESSAGE_MISMATCH // // MessageText: // // {Reply Message Mismatch} // An attempt was made to reply to an LPC message, but the thread specified by the client ID in the message was not waiting on that message. // const auto STATUS_REPLY_MESSAGE_MISMATCH = (cast(NTSTATUS)0xC000021FL); // // MessageId: STATUS_MAPPED_ALIGNMENT // // MessageText: // // {Mapped View Alignment Incorrect} // An attempt was made to map a view of a file, but either the specified base address or the offset into the file were not aligned on the proper allocation granularity. // const auto STATUS_MAPPED_ALIGNMENT = (cast(NTSTATUS)0xC0000220L); // // MessageId: STATUS_IMAGE_CHECKSUM_MISMATCH // // MessageText: // // {Bad Image Checksum} // The image %hs is possibly corrupt. The header checksum does not match the computed checksum. // const auto STATUS_IMAGE_CHECKSUM_MISMATCH = (cast(NTSTATUS)0xC0000221L); // // MessageId: STATUS_LOST_WRITEBEHIND_DATA // // MessageText: // // {Delayed Write Failed} // Windows was unable to save all the data for the file %hs. The data has been lost. // This error may be caused by a failure of your computer hardware or network connection. Please try to save this file elsewhere. // const auto STATUS_LOST_WRITEBEHIND_DATA = (cast(NTSTATUS)0xC0000222L); // // MessageId: STATUS_CLIENT_SERVER_PARAMETERS_INVALID // // MessageText: // // The parameter(s) passed to the server in the client/server shared memory window were invalid. Too much data may have been put in the shared memory window. // const auto STATUS_CLIENT_SERVER_PARAMETERS_INVALID = (cast(NTSTATUS)0xC0000223L); // // MessageId: STATUS_PASSWORD_MUST_CHANGE // // MessageText: // // The user's password must be changed before logging on the first time. // const auto STATUS_PASSWORD_MUST_CHANGE = (cast(NTSTATUS)0xC0000224L) ; // ntsubauth // // MessageId: STATUS_NOT_FOUND // // MessageText: // // The object was not found. // const auto STATUS_NOT_FOUND = (cast(NTSTATUS)0xC0000225L); // // MessageId: STATUS_NOT_TINY_STREAM // // MessageText: // // The stream is not a tiny stream. // const auto STATUS_NOT_TINY_STREAM = (cast(NTSTATUS)0xC0000226L); // // MessageId: STATUS_RECOVERY_FAILURE // // MessageText: // // A transaction recover failed. // const auto STATUS_RECOVERY_FAILURE = (cast(NTSTATUS)0xC0000227L); // // MessageId: STATUS_STACK_OVERFLOW_READ // // MessageText: // // The request must be handled by the stack overflow code. // const auto STATUS_STACK_OVERFLOW_READ = (cast(NTSTATUS)0xC0000228L); // // MessageId: STATUS_FAIL_CHECK // // MessageText: // // A consistency check failed. // const auto STATUS_FAIL_CHECK = (cast(NTSTATUS)0xC0000229L); // // MessageId: STATUS_DUPLICATE_OBJECTID // // MessageText: // // The attempt to insert the ID in the index failed because the ID is already in the index. // const auto STATUS_DUPLICATE_OBJECTID = (cast(NTSTATUS)0xC000022AL); // // MessageId: STATUS_OBJECTID_EXISTS // // MessageText: // // The attempt to set the object's ID failed because the object already has an ID. // const auto STATUS_OBJECTID_EXISTS = (cast(NTSTATUS)0xC000022BL); // // MessageId: STATUS_CONVERT_TO_LARGE // // MessageText: // // Internal OFS status codes indicating how an allocation operation is handled. Either it is retried after the containing onode is moved or the extent stream is converted to a large stream. // const auto STATUS_CONVERT_TO_LARGE = (cast(NTSTATUS)0xC000022CL); // // MessageId: STATUS_RETRY // // MessageText: // // The request needs to be retried. // const auto STATUS_RETRY = (cast(NTSTATUS)0xC000022DL); // // MessageId: STATUS_FOUND_OUT_OF_SCOPE // // MessageText: // // The attempt to find the object found an object matching by ID on the volume but it is out of the scope of the handle used for the operation. // const auto STATUS_FOUND_OUT_OF_SCOPE = (cast(NTSTATUS)0xC000022EL); // // MessageId: STATUS_ALLOCATE_BUCKET // // MessageText: // // The bucket array must be grown. Retry transaction after doing so. // const auto STATUS_ALLOCATE_BUCKET = (cast(NTSTATUS)0xC000022FL); // // MessageId: STATUS_PROPSET_NOT_FOUND // // MessageText: // // The property set specified does not exist on the object. // const auto STATUS_PROPSET_NOT_FOUND = (cast(NTSTATUS)0xC0000230L); // // MessageId: STATUS_MARSHALL_OVERFLOW // // MessageText: // // The user/kernel marshalling buffer has overflowed. // const auto STATUS_MARSHALL_OVERFLOW = (cast(NTSTATUS)0xC0000231L); // // MessageId: STATUS_INVALID_VARIANT // // MessageText: // // The supplied variant structure contains invalid data. // const auto STATUS_INVALID_VARIANT = (cast(NTSTATUS)0xC0000232L); // // MessageId: STATUS_DOMAIN_CONTROLLER_NOT_FOUND // // MessageText: // // Could not find a domain controller for this domain. // const auto STATUS_DOMAIN_CONTROLLER_NOT_FOUND = (cast(NTSTATUS)0xC0000233L); // // MessageId: STATUS_ACCOUNT_LOCKED_OUT // // MessageText: // // The user account has been automatically locked because too many invalid logon attempts or password change attempts have been requested. // const auto STATUS_ACCOUNT_LOCKED_OUT = (cast(NTSTATUS)0xC0000234L) ; // ntsubauth // // MessageId: STATUS_HANDLE_NOT_CLOSABLE // // MessageText: // // NtClose was called on a handle that was protected from close via NtSetInformationObject. // const auto STATUS_HANDLE_NOT_CLOSABLE = (cast(NTSTATUS)0xC0000235L); // // MessageId: STATUS_CONNECTION_REFUSED // // MessageText: // // The transport connection attempt was refused by the remote system. // const auto STATUS_CONNECTION_REFUSED = (cast(NTSTATUS)0xC0000236L); // // MessageId: STATUS_GRACEFUL_DISCONNECT // // MessageText: // // The transport connection was gracefully closed. // const auto STATUS_GRACEFUL_DISCONNECT = (cast(NTSTATUS)0xC0000237L); // // MessageId: STATUS_ADDRESS_ALREADY_ASSOCIATED // // MessageText: // // The transport endpoint already has an address associated with it. // const auto STATUS_ADDRESS_ALREADY_ASSOCIATED = (cast(NTSTATUS)0xC0000238L); // // MessageId: STATUS_ADDRESS_NOT_ASSOCIATED // // MessageText: // // An address has not yet been associated with the transport endpoint. // const auto STATUS_ADDRESS_NOT_ASSOCIATED = (cast(NTSTATUS)0xC0000239L); // // MessageId: STATUS_CONNECTION_INVALID // // MessageText: // // An operation was attempted on a nonexistent transport connection. // const auto STATUS_CONNECTION_INVALID = (cast(NTSTATUS)0xC000023AL); // // MessageId: STATUS_CONNECTION_ACTIVE // // MessageText: // // An invalid operation was attempted on an active transport connection. // const auto STATUS_CONNECTION_ACTIVE = (cast(NTSTATUS)0xC000023BL); // // MessageId: STATUS_NETWORK_UNREACHABLE // // MessageText: // // The remote network is not reachable by the transport. // const auto STATUS_NETWORK_UNREACHABLE = (cast(NTSTATUS)0xC000023CL); // // MessageId: STATUS_HOST_UNREACHABLE // // MessageText: // // The remote system is not reachable by the transport. // const auto STATUS_HOST_UNREACHABLE = (cast(NTSTATUS)0xC000023DL); // // MessageId: STATUS_PROTOCOL_UNREACHABLE // // MessageText: // // The remote system does not support the transport protocol. // const auto STATUS_PROTOCOL_UNREACHABLE = (cast(NTSTATUS)0xC000023EL); // // MessageId: STATUS_PORT_UNREACHABLE // // MessageText: // // No service is operating at the destination port of the transport on the remote system. // const auto STATUS_PORT_UNREACHABLE = (cast(NTSTATUS)0xC000023FL); // // MessageId: STATUS_REQUEST_ABORTED // // MessageText: // // The request was aborted. // const auto STATUS_REQUEST_ABORTED = (cast(NTSTATUS)0xC0000240L); // // MessageId: STATUS_CONNECTION_ABORTED // // MessageText: // // The transport connection was aborted by the local system. // const auto STATUS_CONNECTION_ABORTED = (cast(NTSTATUS)0xC0000241L); // // MessageId: STATUS_BAD_COMPRESSION_BUFFER // // MessageText: // // The specified buffer contains ill-formed data. // const auto STATUS_BAD_COMPRESSION_BUFFER = (cast(NTSTATUS)0xC0000242L); // // MessageId: STATUS_USER_MAPPED_FILE // // MessageText: // // The requested operation cannot be performed on a file with a user mapped section open. // const auto STATUS_USER_MAPPED_FILE = (cast(NTSTATUS)0xC0000243L); // // MessageId: STATUS_AUDIT_FAILED // // MessageText: // // {Audit Failed} // An attempt to generate a security audit failed. // const auto STATUS_AUDIT_FAILED = (cast(NTSTATUS)0xC0000244L); // // MessageId: STATUS_TIMER_RESOLUTION_NOT_SET // // MessageText: // // The timer resolution was not previously set by the current process. // const auto STATUS_TIMER_RESOLUTION_NOT_SET = (cast(NTSTATUS)0xC0000245L); // // MessageId: STATUS_CONNECTION_COUNT_LIMIT // // MessageText: // // A connection to the server could not be made because the limit on the number of concurrent connections for this account has been reached. // const auto STATUS_CONNECTION_COUNT_LIMIT = (cast(NTSTATUS)0xC0000246L); // // MessageId: STATUS_LOGIN_TIME_RESTRICTION // // MessageText: // // Attempting to login during an unauthorized time of day for this account. // const auto STATUS_LOGIN_TIME_RESTRICTION = (cast(NTSTATUS)0xC0000247L); // // MessageId: STATUS_LOGIN_WKSTA_RESTRICTION // // MessageText: // // The account is not authorized to login from this station. // const auto STATUS_LOGIN_WKSTA_RESTRICTION = (cast(NTSTATUS)0xC0000248L); // // MessageId: STATUS_IMAGE_MP_UP_MISMATCH // // MessageText: // // {UP/MP Image Mismatch} // The image %hs has been modified for use on a uniprocessor system, but you are running it on a multiprocessor machine. // Please reinstall the image file. // const auto STATUS_IMAGE_MP_UP_MISMATCH = (cast(NTSTATUS)0xC0000249L); // // MessageId: STATUS_INSUFFICIENT_LOGON_INFO // // MessageText: // // There is insufficient account information to log you on. // const auto STATUS_INSUFFICIENT_LOGON_INFO = (cast(NTSTATUS)0xC0000250L); // // MessageId: STATUS_BAD_DLL_ENTRYPOINT // // MessageText: // // {Invalid DLL Entrypoint} // The dynamic link library %hs is not written correctly. The stack pointer has been left in an inconsistent state. // The entrypoint should be declared as WINAPI or STDCALL. Select YES to fail the DLL load. Select NO to continue execution. Selecting NO may cause the application to operate incorrectly. // const auto STATUS_BAD_DLL_ENTRYPOINT = (cast(NTSTATUS)0xC0000251L); // // MessageId: STATUS_BAD_SERVICE_ENTRYPOINT // // MessageText: // // {Invalid Service Callback Entrypoint} // The %hs service is not written correctly. The stack pointer has been left in an inconsistent state. // The callback entrypoint should be declared as WINAPI or STDCALL. Selecting OK will cause the service to continue operation. However, the service process may operate incorrectly. // const auto STATUS_BAD_SERVICE_ENTRYPOINT = (cast(NTSTATUS)0xC0000252L); // // MessageId: STATUS_LPC_REPLY_LOST // // MessageText: // // The server received the messages but did not send a reply. // const auto STATUS_LPC_REPLY_LOST = (cast(NTSTATUS)0xC0000253L); // // MessageId: STATUS_IP_ADDRESS_CONFLICT1 // // MessageText: // // There is an IP address conflict with another system on the network // const auto STATUS_IP_ADDRESS_CONFLICT1 = (cast(NTSTATUS)0xC0000254L); // // MessageId: STATUS_IP_ADDRESS_CONFLICT2 // // MessageText: // // There is an IP address conflict with another system on the network // const auto STATUS_IP_ADDRESS_CONFLICT2 = (cast(NTSTATUS)0xC0000255L); // // MessageId: STATUS_REGISTRY_QUOTA_LIMIT // // MessageText: // // {Low On Registry Space} // The system has reached the maximum size allowed for the system part of the registry. Additional storage requests will be ignored. // const auto STATUS_REGISTRY_QUOTA_LIMIT = (cast(NTSTATUS)0xC0000256L); // // MessageId: STATUS_PATH_NOT_COVERED // // MessageText: // // The contacted server does not support the indicated part of the DFS namespace. // const auto STATUS_PATH_NOT_COVERED = (cast(NTSTATUS)0xC0000257L); // // MessageId: STATUS_NO_CALLBACK_ACTIVE // // MessageText: // // A callback return system service cannot be executed when no callback is active. // const auto STATUS_NO_CALLBACK_ACTIVE = (cast(NTSTATUS)0xC0000258L); // // MessageId: STATUS_LICENSE_QUOTA_EXCEEDED // // MessageText: // // The service being accessed is licensed for a particular number of connections. // No more connections can be made to the service at this time because there are already as many connections as the service can accept. // const auto STATUS_LICENSE_QUOTA_EXCEEDED = (cast(NTSTATUS)0xC0000259L); // // MessageId: STATUS_PWD_TOO_SHORT // // MessageText: // // The password provided is too short to meet the policy of your user account. // Please choose a longer password. // const auto STATUS_PWD_TOO_SHORT = (cast(NTSTATUS)0xC000025AL); // // MessageId: STATUS_PWD_TOO_RECENT // // MessageText: // // The policy of your user account does not allow you to change passwords too frequently. // This is done to prevent users from changing back to a familiar, but potentially discovered, password. // If you feel your password has been compromised then please contact your administrator immediately to have a new one assigned. // const auto STATUS_PWD_TOO_RECENT = (cast(NTSTATUS)0xC000025BL); // // MessageId: STATUS_PWD_HISTORY_CONFLICT // // MessageText: // // You have attempted to change your password to one that you have used in the past. // The policy of your user account does not allow this. Please select a password that you have not previously used. // const auto STATUS_PWD_HISTORY_CONFLICT = (cast(NTSTATUS)0xC000025CL); // // MessageId: STATUS_PLUGPLAY_NO_DEVICE // // MessageText: // // You have attempted to load a legacy device driver while its device instance had been disabled. // const auto STATUS_PLUGPLAY_NO_DEVICE = (cast(NTSTATUS)0xC000025EL); // // MessageId: STATUS_UNSUPPORTED_COMPRESSION // // MessageText: // // The specified compression format is unsupported. // const auto STATUS_UNSUPPORTED_COMPRESSION = (cast(NTSTATUS)0xC000025FL); // // MessageId: STATUS_INVALID_HW_PROFILE // // MessageText: // // The specified hardware profile configuration is invalid. // const auto STATUS_INVALID_HW_PROFILE = (cast(NTSTATUS)0xC0000260L); // // MessageId: STATUS_INVALID_PLUGPLAY_DEVICE_PATH // // MessageText: // // The specified Plug and Play registry device path is invalid. // const auto STATUS_INVALID_PLUGPLAY_DEVICE_PATH = (cast(NTSTATUS)0xC0000261L); // // MessageId: STATUS_DRIVER_ORDINAL_NOT_FOUND // // MessageText: // // {Driver Entry Point Not Found} // The %hs device driver could not locate the ordinal %ld in driver %hs. // const auto STATUS_DRIVER_ORDINAL_NOT_FOUND = (cast(NTSTATUS)0xC0000262L); // // MessageId: STATUS_DRIVER_ENTRYPOINT_NOT_FOUND // // MessageText: // // {Driver Entry Point Not Found} // The %hs device driver could not locate the entry point %hs in driver %hs. // const auto STATUS_DRIVER_ENTRYPOINT_NOT_FOUND = (cast(NTSTATUS)0xC0000263L); // // MessageId: STATUS_RESOURCE_NOT_OWNED // // MessageText: // // {Application Error} // The application attempted to release a resource it did not own. Click OK to terminate the application. // const auto STATUS_RESOURCE_NOT_OWNED = (cast(NTSTATUS)0xC0000264L); // // MessageId: STATUS_TOO_MANY_LINKS // // MessageText: // // An attempt was made to create more links on a file than the file system supports. // const auto STATUS_TOO_MANY_LINKS = (cast(NTSTATUS)0xC0000265L); // // MessageId: STATUS_QUOTA_LIST_INCONSISTENT // // MessageText: // // The specified quota list is internally inconsistent with its descriptor. // const auto STATUS_QUOTA_LIST_INCONSISTENT = (cast(NTSTATUS)0xC0000266L); // // MessageId: STATUS_FILE_IS_OFFLINE // // MessageText: // // The specified file has been relocated to offline storage. // const auto STATUS_FILE_IS_OFFLINE = (cast(NTSTATUS)0xC0000267L); // // MessageId: STATUS_EVALUATION_EXPIRATION // // MessageText: // // {Windows Evaluation Notification} // The evaluation period for this installation of Windows has expired. This system will shutdown in 1 hour. To restore access to this installation of Windows, please upgrade this installation using a licensed distribution of this product. // const auto STATUS_EVALUATION_EXPIRATION = (cast(NTSTATUS)0xC0000268L); // // MessageId: STATUS_ILLEGAL_DLL_RELOCATION // // MessageText: // // {Illegal System DLL Relocation} // The system DLL %hs was relocated in memory. The application will not run properly. // The relocation occurred because the DLL %hs occupied an address range reserved for Windows system DLLs. The vendor supplying the DLL should be contacted for a new DLL. // const auto STATUS_ILLEGAL_DLL_RELOCATION = (cast(NTSTATUS)0xC0000269L); // // MessageId: STATUS_LICENSE_VIOLATION // // MessageText: // // {License Violation} // The system has detected tampering with your registered product type. This is a violation of your software license. Tampering with product type is not permitted. // const auto STATUS_LICENSE_VIOLATION = (cast(NTSTATUS)0xC000026AL); // // MessageId: STATUS_DLL_INIT_FAILED_LOGOFF // // MessageText: // // {DLL Initialization Failed} // The application failed to initialize because the window station is shutting down. // const auto STATUS_DLL_INIT_FAILED_LOGOFF = (cast(NTSTATUS)0xC000026BL); // // MessageId: STATUS_DRIVER_UNABLE_TO_LOAD // // MessageText: // // {Unable to Load Device Driver} // %hs device driver could not be loaded. // Error Status was 0x%x // const auto STATUS_DRIVER_UNABLE_TO_LOAD = (cast(NTSTATUS)0xC000026CL); // // MessageId: STATUS_DFS_UNAVAILABLE // // MessageText: // // DFS is unavailable on the contacted server. // const auto STATUS_DFS_UNAVAILABLE = (cast(NTSTATUS)0xC000026DL); // // MessageId: STATUS_VOLUME_DISMOUNTED // // MessageText: // // An operation was attempted to a volume after it was dismounted. // const auto STATUS_VOLUME_DISMOUNTED = (cast(NTSTATUS)0xC000026EL); // // MessageId: STATUS_WX86_INTERNAL_ERROR // // MessageText: // // An internal error occurred in the Win32 x86 emulation subsystem. // const auto STATUS_WX86_INTERNAL_ERROR = (cast(NTSTATUS)0xC000026FL); // // MessageId: STATUS_WX86_FLOAT_STACK_CHECK // // MessageText: // // Win32 x86 emulation subsystem Floating-point stack check. // const auto STATUS_WX86_FLOAT_STACK_CHECK = (cast(NTSTATUS)0xC0000270L); // // MessageId: STATUS_VALIDATE_CONTINUE // // MessageText: // // The validation process needs to continue on to the next step. // const auto STATUS_VALIDATE_CONTINUE = (cast(NTSTATUS)0xC0000271L); // // MessageId: STATUS_NO_MATCH // // MessageText: // // There was no match for the specified key in the index. // const auto STATUS_NO_MATCH = (cast(NTSTATUS)0xC0000272L); // // MessageId: STATUS_NO_MORE_MATCHES // // MessageText: // // There are no more matches for the current index enumeration. // const auto STATUS_NO_MORE_MATCHES = (cast(NTSTATUS)0xC0000273L); // // MessageId: STATUS_NOT_A_REPARSE_POINT // // MessageText: // // The NTFS file or directory is not a reparse point. // const auto STATUS_NOT_A_REPARSE_POINT = (cast(NTSTATUS)0xC0000275L); // // MessageId: STATUS_IO_REPARSE_TAG_INVALID // // MessageText: // // The Windows I/O reparse tag passed for the NTFS reparse point is invalid. // const auto STATUS_IO_REPARSE_TAG_INVALID = (cast(NTSTATUS)0xC0000276L); // // MessageId: STATUS_IO_REPARSE_TAG_MISMATCH // // MessageText: // // The Windows I/O reparse tag does not match the one present in the NTFS reparse point. // const auto STATUS_IO_REPARSE_TAG_MISMATCH = (cast(NTSTATUS)0xC0000277L); // // MessageId: STATUS_IO_REPARSE_DATA_INVALID // // MessageText: // // The user data passed for the NTFS reparse point is invalid. // const auto STATUS_IO_REPARSE_DATA_INVALID = (cast(NTSTATUS)0xC0000278L); // // MessageId: STATUS_IO_REPARSE_TAG_NOT_HANDLED // // MessageText: // // The layered file system driver for this IO tag did not handle it when needed. // const auto STATUS_IO_REPARSE_TAG_NOT_HANDLED = (cast(NTSTATUS)0xC0000279L); // // MessageId: STATUS_REPARSE_POINT_NOT_RESOLVED // // MessageText: // // The NTFS symbolic link could not be resolved even though the initial file name is valid. // const auto STATUS_REPARSE_POINT_NOT_RESOLVED = (cast(NTSTATUS)0xC0000280L); // // MessageId: STATUS_DIRECTORY_IS_A_REPARSE_POINT // // MessageText: // // The NTFS directory is a reparse point. // const auto STATUS_DIRECTORY_IS_A_REPARSE_POINT = (cast(NTSTATUS)0xC0000281L); // // MessageId: STATUS_RANGE_LIST_CONFLICT // // MessageText: // // The range could not be added to the range list because of a conflict. // const auto STATUS_RANGE_LIST_CONFLICT = (cast(NTSTATUS)0xC0000282L); // // MessageId: STATUS_SOURCE_ELEMENT_EMPTY // // MessageText: // // The specified medium changer source element contains no media. // const auto STATUS_SOURCE_ELEMENT_EMPTY = (cast(NTSTATUS)0xC0000283L); // // MessageId: STATUS_DESTINATION_ELEMENT_FULL // // MessageText: // // The specified medium changer destination element already contains media. // const auto STATUS_DESTINATION_ELEMENT_FULL = (cast(NTSTATUS)0xC0000284L); // // MessageId: STATUS_ILLEGAL_ELEMENT_ADDRESS // // MessageText: // // The specified medium changer element does not exist. // const auto STATUS_ILLEGAL_ELEMENT_ADDRESS = (cast(NTSTATUS)0xC0000285L); // // MessageId: STATUS_MAGAZINE_NOT_PRESENT // // MessageText: // // The specified element is contained within a magazine that is no longer present. // const auto STATUS_MAGAZINE_NOT_PRESENT = (cast(NTSTATUS)0xC0000286L); // // MessageId: STATUS_REINITIALIZATION_NEEDED // // MessageText: // // The device requires reinitialization due to hardware errors. // const auto STATUS_REINITIALIZATION_NEEDED = (cast(NTSTATUS)0xC0000287L); // // MessageId: STATUS_DEVICE_REQUIRES_CLEANING // // MessageText: // // The device has indicated that cleaning is necessary. // const auto STATUS_DEVICE_REQUIRES_CLEANING = (cast(NTSTATUS)0x80000288L); // // MessageId: STATUS_DEVICE_DOOR_OPEN // // MessageText: // // The device has indicated that it's door is open. Further operations require it closed and secured. // const auto STATUS_DEVICE_DOOR_OPEN = (cast(NTSTATUS)0x80000289L); // // MessageId: STATUS_ENCRYPTION_FAILED // // MessageText: // // The file encryption attempt failed. // const auto STATUS_ENCRYPTION_FAILED = (cast(NTSTATUS)0xC000028AL); // // MessageId: STATUS_DECRYPTION_FAILED // // MessageText: // // The file decryption attempt failed. // const auto STATUS_DECRYPTION_FAILED = (cast(NTSTATUS)0xC000028BL); // // MessageId: STATUS_RANGE_NOT_FOUND // // MessageText: // // The specified range could not be found in the range list. // const auto STATUS_RANGE_NOT_FOUND = (cast(NTSTATUS)0xC000028CL); // // MessageId: STATUS_NO_RECOVERY_POLICY // // MessageText: // // There is no encryption recovery policy configured for this system. // const auto STATUS_NO_RECOVERY_POLICY = (cast(NTSTATUS)0xC000028DL); // // MessageId: STATUS_NO_EFS // // MessageText: // // The required encryption driver is not loaded for this system. // const auto STATUS_NO_EFS = (cast(NTSTATUS)0xC000028EL); // // MessageId: STATUS_WRONG_EFS // // MessageText: // // The file was encrypted with a different encryption driver than is currently loaded. // const auto STATUS_WRONG_EFS = (cast(NTSTATUS)0xC000028FL); // // MessageId: STATUS_NO_USER_KEYS // // MessageText: // // There are no EFS keys defined for the user. // const auto STATUS_NO_USER_KEYS = (cast(NTSTATUS)0xC0000290L); // // MessageId: STATUS_FILE_NOT_ENCRYPTED // // MessageText: // // The specified file is not encrypted. // const auto STATUS_FILE_NOT_ENCRYPTED = (cast(NTSTATUS)0xC0000291L); // // MessageId: STATUS_NOT_EXPORT_FORMAT // // MessageText: // // The specified file is not in the defined EFS export format. // const auto STATUS_NOT_EXPORT_FORMAT = (cast(NTSTATUS)0xC0000292L); // // MessageId: STATUS_FILE_ENCRYPTED // // MessageText: // // The specified file is encrypted and the user does not have the ability to decrypt it. // const auto STATUS_FILE_ENCRYPTED = (cast(NTSTATUS)0xC0000293L); // // MessageId: STATUS_WAKE_SYSTEM // // MessageText: // // The system has awoken // const auto STATUS_WAKE_SYSTEM = (cast(NTSTATUS)0x40000294L); // // MessageId: STATUS_WMI_GUID_NOT_FOUND // // MessageText: // // The guid passed was not recognized as valid by a WMI data provider. // const auto STATUS_WMI_GUID_NOT_FOUND = (cast(NTSTATUS)0xC0000295L); // // MessageId: STATUS_WMI_INSTANCE_NOT_FOUND // // MessageText: // // The instance name passed was not recognized as valid by a WMI data provider. // const auto STATUS_WMI_INSTANCE_NOT_FOUND = (cast(NTSTATUS)0xC0000296L); // // MessageId: STATUS_WMI_ITEMID_NOT_FOUND // // MessageText: // // The data item id passed was not recognized as valid by a WMI data provider. // const auto STATUS_WMI_ITEMID_NOT_FOUND = (cast(NTSTATUS)0xC0000297L); // // MessageId: STATUS_WMI_TRY_AGAIN // // MessageText: // // The WMI request could not be completed and should be retried. // const auto STATUS_WMI_TRY_AGAIN = (cast(NTSTATUS)0xC0000298L); // // MessageId: STATUS_SHARED_POLICY // // MessageText: // // The policy object is shared and can only be modified at the root // const auto STATUS_SHARED_POLICY = (cast(NTSTATUS)0xC0000299L); // // MessageId: STATUS_POLICY_OBJECT_NOT_FOUND // // MessageText: // // The policy object does not exist when it should // const auto STATUS_POLICY_OBJECT_NOT_FOUND = (cast(NTSTATUS)0xC000029AL); // // MessageId: STATUS_POLICY_ONLY_IN_DS // // MessageText: // // The requested policy information only lives in the Ds // const auto STATUS_POLICY_ONLY_IN_DS = (cast(NTSTATUS)0xC000029BL); // // MessageId: STATUS_VOLUME_NOT_UPGRADED // // MessageText: // // The volume must be upgraded to enable this feature // const auto STATUS_VOLUME_NOT_UPGRADED = (cast(NTSTATUS)0xC000029CL); // // MessageId: STATUS_REMOTE_STORAGE_NOT_ACTIVE // // MessageText: // // The remote storage service is not operational at this time. // const auto STATUS_REMOTE_STORAGE_NOT_ACTIVE = (cast(NTSTATUS)0xC000029DL); // // MessageId: STATUS_REMOTE_STORAGE_MEDIA_ERROR // // MessageText: // // The remote storage service encountered a media error. // const auto STATUS_REMOTE_STORAGE_MEDIA_ERROR = (cast(NTSTATUS)0xC000029EL); // // MessageId: STATUS_NO_TRACKING_SERVICE // // MessageText: // // The tracking (workstation) service is not running. // const auto STATUS_NO_TRACKING_SERVICE = (cast(NTSTATUS)0xC000029FL); // // MessageId: STATUS_SERVER_SID_MISMATCH // // MessageText: // // The server process is running under a SID different than that required by client. // const auto STATUS_SERVER_SID_MISMATCH = (cast(NTSTATUS)0xC00002A0L); // // Directory Service specific Errors // // // MessageId: STATUS_DS_NO_ATTRIBUTE_OR_VALUE // // MessageText: // // The specified directory service attribute or value does not exist. // const auto STATUS_DS_NO_ATTRIBUTE_OR_VALUE = (cast(NTSTATUS)0xC00002A1L); // // MessageId: STATUS_DS_INVALID_ATTRIBUTE_SYNTAX // // MessageText: // // The attribute syntax specified to the directory service is invalid. // const auto STATUS_DS_INVALID_ATTRIBUTE_SYNTAX = (cast(NTSTATUS)0xC00002A2L); // // MessageId: STATUS_DS_ATTRIBUTE_TYPE_UNDEFINED // // MessageText: // // The attribute type specified to the directory service is not defined. // const auto STATUS_DS_ATTRIBUTE_TYPE_UNDEFINED = (cast(NTSTATUS)0xC00002A3L); // // MessageId: STATUS_DS_ATTRIBUTE_OR_VALUE_EXISTS // // MessageText: // // The specified directory service attribute or value already exists. // const auto STATUS_DS_ATTRIBUTE_OR_VALUE_EXISTS = (cast(NTSTATUS)0xC00002A4L); // // MessageId: STATUS_DS_BUSY // // MessageText: // // The directory service is busy. // const auto STATUS_DS_BUSY = (cast(NTSTATUS)0xC00002A5L); // // MessageId: STATUS_DS_UNAVAILABLE // // MessageText: // // The directory service is not available. // const auto STATUS_DS_UNAVAILABLE = (cast(NTSTATUS)0xC00002A6L); // // MessageId: STATUS_DS_NO_RIDS_ALLOCATED // // MessageText: // // The directory service was unable to allocate a relative identifier. // const auto STATUS_DS_NO_RIDS_ALLOCATED = (cast(NTSTATUS)0xC00002A7L); // // MessageId: STATUS_DS_NO_MORE_RIDS // // MessageText: // // The directory service has exhausted the pool of relative identifiers. // const auto STATUS_DS_NO_MORE_RIDS = (cast(NTSTATUS)0xC00002A8L); // // MessageId: STATUS_DS_INCORRECT_ROLE_OWNER // // MessageText: // // The requested operation could not be performed because the directory service is not the master for that type of operation. // const auto STATUS_DS_INCORRECT_ROLE_OWNER = (cast(NTSTATUS)0xC00002A9L); // // MessageId: STATUS_DS_RIDMGR_INIT_ERROR // // MessageText: // // The directory service was unable to initialize the subsystem that allocates relative identifiers. // const auto STATUS_DS_RIDMGR_INIT_ERROR = (cast(NTSTATUS)0xC00002AAL); // // MessageId: STATUS_DS_OBJ_CLASS_VIOLATION // // MessageText: // // The requested operation did not satisfy one or more constraints associated with the class of the object. // const auto STATUS_DS_OBJ_CLASS_VIOLATION = (cast(NTSTATUS)0xC00002ABL); // // MessageId: STATUS_DS_CANT_ON_NON_LEAF // // MessageText: // // The directory service can perform the requested operation only on a leaf object. // const auto STATUS_DS_CANT_ON_NON_LEAF = (cast(NTSTATUS)0xC00002ACL); // // MessageId: STATUS_DS_CANT_ON_RDN // // MessageText: // // The directory service cannot perform the requested operation on the Relatively Defined Name (RDN) attribute of an object. // const auto STATUS_DS_CANT_ON_RDN = (cast(NTSTATUS)0xC00002ADL); // // MessageId: STATUS_DS_CANT_MOD_OBJ_CLASS // // MessageText: // // The directory service detected an attempt to modify the object class of an object. // const auto STATUS_DS_CANT_MOD_OBJ_CLASS = (cast(NTSTATUS)0xC00002AEL); // // MessageId: STATUS_DS_CROSS_DOM_MOVE_FAILED // // MessageText: // // An error occurred while performing a cross domain move operation. // const auto STATUS_DS_CROSS_DOM_MOVE_FAILED = (cast(NTSTATUS)0xC00002AFL); // // MessageId: STATUS_DS_GC_NOT_AVAILABLE // // MessageText: // // Unable to Contact the Global Catalog Server. // const auto STATUS_DS_GC_NOT_AVAILABLE = (cast(NTSTATUS)0xC00002B0L); // // MessageId: STATUS_DIRECTORY_SERVICE_REQUIRED // // MessageText: // // The requested operation requires a directory service, and none was available. // const auto STATUS_DIRECTORY_SERVICE_REQUIRED = (cast(NTSTATUS)0xC00002B1L); // // MessageId: STATUS_REPARSE_ATTRIBUTE_CONFLICT // // MessageText: // // The reparse attribute cannot be set as it is incompatible with an existing attribute. // const auto STATUS_REPARSE_ATTRIBUTE_CONFLICT = (cast(NTSTATUS)0xC00002B2L); // // MessageId: STATUS_CANT_ENABLE_DENY_ONLY // // MessageText: // // A group marked use for deny only cannot be enabled. // const auto STATUS_CANT_ENABLE_DENY_ONLY = (cast(NTSTATUS)0xC00002B3L); // // MessageId: STATUS_FLOAT_MULTIPLE_FAULTS // // MessageText: // // {EXCEPTION} // Multiple floating point faults. // const auto STATUS_FLOAT_MULTIPLE_FAULTS = (cast(NTSTATUS)0xC00002B4L) ; // winnt // // MessageId: STATUS_FLOAT_MULTIPLE_TRAPS // // MessageText: // // {EXCEPTION} // Multiple floating point traps. // const auto STATUS_FLOAT_MULTIPLE_TRAPS = (cast(NTSTATUS)0xC00002B5L) ; // winnt // // MessageId: STATUS_DEVICE_REMOVED // // MessageText: // // The device has been removed. // const auto STATUS_DEVICE_REMOVED = (cast(NTSTATUS)0xC00002B6L); // // MessageId: STATUS_JOURNAL_DELETE_IN_PROGRESS // // MessageText: // // The volume change journal is being deleted. // const auto STATUS_JOURNAL_DELETE_IN_PROGRESS = (cast(NTSTATUS)0xC00002B7L); // // MessageId: STATUS_JOURNAL_NOT_ACTIVE // // MessageText: // // The volume change journal is not active. // const auto STATUS_JOURNAL_NOT_ACTIVE = (cast(NTSTATUS)0xC00002B8L); // // MessageId: STATUS_NOINTERFACE // // MessageText: // // The requested interface is not supported. // const auto STATUS_NOINTERFACE = (cast(NTSTATUS)0xC00002B9L); // // MessageId: STATUS_DS_ADMIN_LIMIT_EXCEEDED // // MessageText: // // A directory service resource limit has been exceeded. // const auto STATUS_DS_ADMIN_LIMIT_EXCEEDED = (cast(NTSTATUS)0xC00002C1L); // // MessageId: STATUS_DRIVER_FAILED_SLEEP // // MessageText: // // {System Standby Failed} // The driver %hs does not support standby mode. Updating this driver may allow the system to go to standby mode. // const auto STATUS_DRIVER_FAILED_SLEEP = (cast(NTSTATUS)0xC00002C2L); // // MessageId: STATUS_MUTUAL_AUTHENTICATION_FAILED // // MessageText: // // Mutual Authentication failed. The server's password is out of date at the domain controller. // const auto STATUS_MUTUAL_AUTHENTICATION_FAILED = (cast(NTSTATUS)0xC00002C3L); // // MessageId: STATUS_CORRUPT_SYSTEM_FILE // // MessageText: // // The system file %1 has become corrupt and has been replaced. // const auto STATUS_CORRUPT_SYSTEM_FILE = (cast(NTSTATUS)0xC00002C4L); // // MessageId: STATUS_DATATYPE_MISALIGNMENT_ERROR // // MessageText: // // {EXCEPTION} // Alignment Error // A datatype misalignment error was detected in a load or store instruction. // const auto STATUS_DATATYPE_MISALIGNMENT_ERROR = (cast(NTSTATUS)0xC00002C5L) ; // // MessageId: STATUS_WMI_READ_ONLY // // MessageText: // // The WMI data item or data block is read only. // const auto STATUS_WMI_READ_ONLY = (cast(NTSTATUS)0xC00002C6L); // // MessageId: STATUS_WMI_SET_FAILURE // // MessageText: // // The WMI data item or data block could not be changed. // const auto STATUS_WMI_SET_FAILURE = (cast(NTSTATUS)0xC00002C7L); // // MessageId: STATUS_COMMITMENT_MINIMUM // // MessageText: // // {Virtual Memory Minimum Too Low} // Your system is low on virtual memory. Windows is increasing the size of your virtual memory paging file. // During this process, memory requests for some applications may be denied. For more information, see Help. // const auto STATUS_COMMITMENT_MINIMUM = (cast(NTSTATUS)0xC00002C8L); // // MessageId: STATUS_REG_NAT_CONSUMPTION // // MessageText: // // {EXCEPTION} // Register NaT consumption faults. // A NaT value is consumed on a non speculative instruction. // const auto STATUS_REG_NAT_CONSUMPTION = (cast(NTSTATUS)0xC00002C9L) ; // winnt // // MessageId: STATUS_TRANSPORT_FULL // // MessageText: // // The medium changer's transport element contains media, which is causing the operation to fail. // const auto STATUS_TRANSPORT_FULL = (cast(NTSTATUS)0xC00002CAL); // // MessageId: STATUS_DS_SAM_INIT_FAILURE // // MessageText: // // Security Accounts Manager initialization failed because of the following error: // %hs // Error Status: 0x%x. // Please click OK to shutdown this system and reboot into Directory Services Restore Mode, check the event log for more detailed information. // const auto STATUS_DS_SAM_INIT_FAILURE = (cast(NTSTATUS)0xC00002CBL); // // MessageId: STATUS_ONLY_IF_CONNECTED // // MessageText: // // This operation is supported only when you are connected to the server. // const auto STATUS_ONLY_IF_CONNECTED = (cast(NTSTATUS)0xC00002CCL); // // MessageId: STATUS_DS_SENSITIVE_GROUP_VIOLATION // // MessageText: // // Only an administrator can modify the membership list of an administrative group. // const auto STATUS_DS_SENSITIVE_GROUP_VIOLATION = (cast(NTSTATUS)0xC00002CDL); // // MessageId: STATUS_PNP_RESTART_ENUMERATION // // MessageText: // // A device was removed so enumeration must be restarted. // const auto STATUS_PNP_RESTART_ENUMERATION = (cast(NTSTATUS)0xC00002CEL); // // MessageId: STATUS_JOURNAL_ENTRY_DELETED // // MessageText: // // The journal entry has been deleted from the journal. // const auto STATUS_JOURNAL_ENTRY_DELETED = (cast(NTSTATUS)0xC00002CFL); // // MessageId: STATUS_DS_CANT_MOD_PRIMARYGROUPID // // MessageText: // // Cannot change the primary group ID of a domain controller account. // const auto STATUS_DS_CANT_MOD_PRIMARYGROUPID = (cast(NTSTATUS)0xC00002D0L); // // MessageId: STATUS_SYSTEM_IMAGE_BAD_SIGNATURE // // MessageText: // // {Fatal System Error} // The system image %s is not properly signed. // The file has been replaced with the signed file. // The system has been shut down. // const auto STATUS_SYSTEM_IMAGE_BAD_SIGNATURE = (cast(NTSTATUS)0xC00002D1L); // // MessageId: STATUS_PNP_REBOOT_REQUIRED // // MessageText: // // Device will not start without a reboot. // const auto STATUS_PNP_REBOOT_REQUIRED = (cast(NTSTATUS)0xC00002D2L); // // MessageId: STATUS_POWER_STATE_INVALID // // MessageText: // // Current device power state cannot support this request. // const auto STATUS_POWER_STATE_INVALID = (cast(NTSTATUS)0xC00002D3L); // // MessageId: STATUS_DS_INVALID_GROUP_TYPE // // MessageText: // // The specified group type is invalid. // const auto STATUS_DS_INVALID_GROUP_TYPE = (cast(NTSTATUS)0xC00002D4L); // // MessageId: STATUS_DS_NO_NEST_GLOBALGROUP_IN_MIXEDDOMAIN // // MessageText: // // In mixed domain no nesting of global group if group is security enabled. // const auto STATUS_DS_NO_NEST_GLOBALGROUP_IN_MIXEDDOMAIN = (cast(NTSTATUS)0xC00002D5L); // // MessageId: STATUS_DS_NO_NEST_LOCALGROUP_IN_MIXEDDOMAIN // // MessageText: // // In mixed domain, cannot nest local groups with other local groups, if the group is security enabled. // const auto STATUS_DS_NO_NEST_LOCALGROUP_IN_MIXEDDOMAIN = (cast(NTSTATUS)0xC00002D6L); // // MessageId: STATUS_DS_GLOBAL_CANT_HAVE_LOCAL_MEMBER // // MessageText: // // A global group cannot have a local group as a member. // const auto STATUS_DS_GLOBAL_CANT_HAVE_LOCAL_MEMBER = (cast(NTSTATUS)0xC00002D7L); // // MessageId: STATUS_DS_GLOBAL_CANT_HAVE_UNIVERSAL_MEMBER // // MessageText: // // A global group cannot have a universal group as a member. // const auto STATUS_DS_GLOBAL_CANT_HAVE_UNIVERSAL_MEMBER = (cast(NTSTATUS)0xC00002D8L); // // MessageId: STATUS_DS_UNIVERSAL_CANT_HAVE_LOCAL_MEMBER // // MessageText: // // A universal group cannot have a local group as a member. // const auto STATUS_DS_UNIVERSAL_CANT_HAVE_LOCAL_MEMBER = (cast(NTSTATUS)0xC00002D9L); // // MessageId: STATUS_DS_GLOBAL_CANT_HAVE_CROSSDOMAIN_MEMBER // // MessageText: // // A global group cannot have a cross domain member. // const auto STATUS_DS_GLOBAL_CANT_HAVE_CROSSDOMAIN_MEMBER = (cast(NTSTATUS)0xC00002DAL); // // MessageId: STATUS_DS_LOCAL_CANT_HAVE_CROSSDOMAIN_LOCAL_MEMBER // // MessageText: // // A local group cannot have another cross domain local group as a member. // const auto STATUS_DS_LOCAL_CANT_HAVE_CROSSDOMAIN_LOCAL_MEMBER = (cast(NTSTATUS)0xC00002DBL); // // MessageId: STATUS_DS_HAVE_PRIMARY_MEMBERS // // MessageText: // // Cannot change to security disabled group because of having primary members in this group. // const auto STATUS_DS_HAVE_PRIMARY_MEMBERS = (cast(NTSTATUS)0xC00002DCL); // // MessageId: STATUS_WMI_NOT_SUPPORTED // // MessageText: // // The WMI operation is not supported by the data block or method. // const auto STATUS_WMI_NOT_SUPPORTED = (cast(NTSTATUS)0xC00002DDL); // // MessageId: STATUS_INSUFFICIENT_POWER // // MessageText: // // There is not enough power to complete the requested operation. // const auto STATUS_INSUFFICIENT_POWER = (cast(NTSTATUS)0xC00002DEL); // // MessageId: STATUS_SAM_NEED_BOOTKEY_PASSWORD // // MessageText: // // Security Account Manager needs to get the boot password. // const auto STATUS_SAM_NEED_BOOTKEY_PASSWORD = (cast(NTSTATUS)0xC00002DFL); // // MessageId: STATUS_SAM_NEED_BOOTKEY_FLOPPY // // MessageText: // // Security Account Manager needs to get the boot key from floppy disk. // const auto STATUS_SAM_NEED_BOOTKEY_FLOPPY = (cast(NTSTATUS)0xC00002E0L); // // MessageId: STATUS_DS_CANT_START // // MessageText: // // Directory Service cannot start. // const auto STATUS_DS_CANT_START = (cast(NTSTATUS)0xC00002E1L); // // MessageId: STATUS_DS_INIT_FAILURE // // MessageText: // // Directory Services could not start because of the following error: // %hs // Error Status: 0x%x. // Please click OK to shutdown this system and reboot into Directory Services Restore Mode, check the event log for more detailed information. // const auto STATUS_DS_INIT_FAILURE = (cast(NTSTATUS)0xC00002E2L); // // MessageId: STATUS_SAM_INIT_FAILURE // // MessageText: // // Security Accounts Manager initialization failed because of the following error: // %hs // Error Status: 0x%x. // Please click OK to shutdown this system and reboot into Safe Mode, check the event log for more detailed information. // const auto STATUS_SAM_INIT_FAILURE = (cast(NTSTATUS)0xC00002E3L); // // MessageId: STATUS_DS_GC_REQUIRED // // MessageText: // // The requested operation can be performed only on a global catalog server. // const auto STATUS_DS_GC_REQUIRED = (cast(NTSTATUS)0xC00002E4L); // // MessageId: STATUS_DS_LOCAL_MEMBER_OF_LOCAL_ONLY // // MessageText: // // A local group can only be a member of other local groups in the same domain. // const auto STATUS_DS_LOCAL_MEMBER_OF_LOCAL_ONLY = (cast(NTSTATUS)0xC00002E5L); // // MessageId: STATUS_DS_NO_FPO_IN_UNIVERSAL_GROUPS // // MessageText: // // Foreign security principals cannot be members of universal groups. // const auto STATUS_DS_NO_FPO_IN_UNIVERSAL_GROUPS = (cast(NTSTATUS)0xC00002E6L); // // MessageId: STATUS_DS_MACHINE_ACCOUNT_QUOTA_EXCEEDED // // MessageText: // // Your computer could not be joined to the domain. You have exceeded the maximum number of computer accounts you are allowed to create in this domain. Contact your system administrator to have this limit reset or increased. // const auto STATUS_DS_MACHINE_ACCOUNT_QUOTA_EXCEEDED = (cast(NTSTATUS)0xC00002E7L); // // MessageId: STATUS_MULTIPLE_FAULT_VIOLATION // // MessageText: // // STATUS_MULTIPLE_FAULT_VIOLATION // const auto STATUS_MULTIPLE_FAULT_VIOLATION = (cast(NTSTATUS)0xC00002E8L); // // MessageId: STATUS_CURRENT_DOMAIN_NOT_ALLOWED // // MessageText: // // This operation cannot be performed on the current domain. // const auto STATUS_CURRENT_DOMAIN_NOT_ALLOWED = (cast(NTSTATUS)0xC00002E9L); // // MessageId: STATUS_CANNOT_MAKE // // MessageText: // // The directory or file cannot be created. // const auto STATUS_CANNOT_MAKE = (cast(NTSTATUS)0xC00002EAL); // // MessageId: STATUS_SYSTEM_SHUTDOWN // // MessageText: // // The system is in the process of shutting down. // const auto STATUS_SYSTEM_SHUTDOWN = (cast(NTSTATUS)0xC00002EBL); // // MessageId: STATUS_DS_INIT_FAILURE_CONSOLE // // MessageText: // // Directory Services could not start because of the following error: // %hs // Error Status: 0x%x. // Please click OK to shutdown the system. You can use the recovery console to diagnose the system further. // const auto STATUS_DS_INIT_FAILURE_CONSOLE = (cast(NTSTATUS)0xC00002ECL); // // MessageId: STATUS_DS_SAM_INIT_FAILURE_CONSOLE // // MessageText: // // Security Accounts Manager initialization failed because of the following error: // %hs // Error Status: 0x%x. // Please click OK to shutdown the system. You can use the recovery console to diagnose the system further. // const auto STATUS_DS_SAM_INIT_FAILURE_CONSOLE = (cast(NTSTATUS)0xC00002EDL); // // MessageId: STATUS_UNFINISHED_CONTEXT_DELETED // // MessageText: // // A security context was deleted before the context was completed. This is considered a logon failure. // const auto STATUS_UNFINISHED_CONTEXT_DELETED = (cast(NTSTATUS)0xC00002EEL); // // MessageId: STATUS_NO_TGT_REPLY // // MessageText: // // The client is trying to negotiate a context and the server requires user-to-user but didn't send a TGT reply. // const auto STATUS_NO_TGT_REPLY = (cast(NTSTATUS)0xC00002EFL); // // MessageId: STATUS_OBJECTID_NOT_FOUND // // MessageText: // // An object ID was not found in the file. // const auto STATUS_OBJECTID_NOT_FOUND = (cast(NTSTATUS)0xC00002F0L); // // MessageId: STATUS_NO_IP_ADDRESSES // // MessageText: // // Unable to accomplish the requested task because the local machine does not have any IP addresses. // const auto STATUS_NO_IP_ADDRESSES = (cast(NTSTATUS)0xC00002F1L); // // MessageId: STATUS_WRONG_CREDENTIAL_HANDLE // // MessageText: // // The supplied credential handle does not match the credential associated with the security context. // const auto STATUS_WRONG_CREDENTIAL_HANDLE = (cast(NTSTATUS)0xC00002F2L); // // MessageId: STATUS_CRYPTO_SYSTEM_INVALID // // MessageText: // // The crypto system or checksum function is invalid because a required function is unavailable. // const auto STATUS_CRYPTO_SYSTEM_INVALID = (cast(NTSTATUS)0xC00002F3L); // // MessageId: STATUS_MAX_REFERRALS_EXCEEDED // // MessageText: // // The number of maximum ticket referrals has been exceeded. // const auto STATUS_MAX_REFERRALS_EXCEEDED = (cast(NTSTATUS)0xC00002F4L); // // MessageId: STATUS_MUST_BE_KDC // // MessageText: // // The local machine must be a Kerberos KDC (domain controller) and it is not. // const auto STATUS_MUST_BE_KDC = (cast(NTSTATUS)0xC00002F5L); // // MessageId: STATUS_STRONG_CRYPTO_NOT_SUPPORTED // // MessageText: // // The other end of the security negotiation is requires strong crypto but it is not supported on the local machine. // const auto STATUS_STRONG_CRYPTO_NOT_SUPPORTED = (cast(NTSTATUS)0xC00002F6L); // // MessageId: STATUS_TOO_MANY_PRINCIPALS // // MessageText: // // The KDC reply contained more than one principal name. // const auto STATUS_TOO_MANY_PRINCIPALS = (cast(NTSTATUS)0xC00002F7L); // // MessageId: STATUS_NO_PA_DATA // // MessageText: // // Expected to find PA data for a hint of what etype to use, but it was not found. // const auto STATUS_NO_PA_DATA = (cast(NTSTATUS)0xC00002F8L); // // MessageId: STATUS_PKINIT_NAME_MISMATCH // // MessageText: // // The client certificate does not contain a valid UPN, or does not match the client name // in the logon request. Please contact your administrator. // const auto STATUS_PKINIT_NAME_MISMATCH = (cast(NTSTATUS)0xC00002F9L); // // MessageId: STATUS_SMARTCARD_LOGON_REQUIRED // // MessageText: // // Smartcard logon is required and was not used. // const auto STATUS_SMARTCARD_LOGON_REQUIRED = (cast(NTSTATUS)0xC00002FAL); // // MessageId: STATUS_KDC_INVALID_REQUEST // // MessageText: // // An invalid request was sent to the KDC. // const auto STATUS_KDC_INVALID_REQUEST = (cast(NTSTATUS)0xC00002FBL); // // MessageId: STATUS_KDC_UNABLE_TO_REFER // // MessageText: // // The KDC was unable to generate a referral for the service requested. // const auto STATUS_KDC_UNABLE_TO_REFER = (cast(NTSTATUS)0xC00002FCL); // // MessageId: STATUS_KDC_UNKNOWN_ETYPE // // MessageText: // // The encryption type requested is not supported by the KDC. // const auto STATUS_KDC_UNKNOWN_ETYPE = (cast(NTSTATUS)0xC00002FDL); // // MessageId: STATUS_SHUTDOWN_IN_PROGRESS // // MessageText: // // A system shutdown is in progress. // const auto STATUS_SHUTDOWN_IN_PROGRESS = (cast(NTSTATUS)0xC00002FEL); // // MessageId: STATUS_SERVER_SHUTDOWN_IN_PROGRESS // // MessageText: // // The server machine is shutting down. // const auto STATUS_SERVER_SHUTDOWN_IN_PROGRESS = (cast(NTSTATUS)0xC00002FFL); // // MessageId: STATUS_NOT_SUPPORTED_ON_SBS // // MessageText: // // This operation is not supported on a computer running Windows Server 2003 for Small Business Server // const auto STATUS_NOT_SUPPORTED_ON_SBS = (cast(NTSTATUS)0xC0000300L); // // MessageId: STATUS_WMI_GUID_DISCONNECTED // // MessageText: // // The WMI GUID is no longer available // const auto STATUS_WMI_GUID_DISCONNECTED = (cast(NTSTATUS)0xC0000301L); // // MessageId: STATUS_WMI_ALREADY_DISABLED // // MessageText: // // Collection or events for the WMI GUID is already disabled. // const auto STATUS_WMI_ALREADY_DISABLED = (cast(NTSTATUS)0xC0000302L); // // MessageId: STATUS_WMI_ALREADY_ENABLED // // MessageText: // // Collection or events for the WMI GUID is already enabled. // const auto STATUS_WMI_ALREADY_ENABLED = (cast(NTSTATUS)0xC0000303L); // // MessageId: STATUS_MFT_TOO_FRAGMENTED // // MessageText: // // The Master File Table on the volume is too fragmented to complete this operation. // const auto STATUS_MFT_TOO_FRAGMENTED = (cast(NTSTATUS)0xC0000304L); // // MessageId: STATUS_COPY_PROTECTION_FAILURE // // MessageText: // // Copy protection failure. // const auto STATUS_COPY_PROTECTION_FAILURE = (cast(NTSTATUS)0xC0000305L); // // MessageId: STATUS_CSS_AUTHENTICATION_FAILURE // // MessageText: // // Copy protection error - DVD CSS Authentication failed. // const auto STATUS_CSS_AUTHENTICATION_FAILURE = (cast(NTSTATUS)0xC0000306L); // // MessageId: STATUS_CSS_KEY_NOT_PRESENT // // MessageText: // // Copy protection error - The given sector does not contain a valid key. // const auto STATUS_CSS_KEY_NOT_PRESENT = (cast(NTSTATUS)0xC0000307L); // // MessageId: STATUS_CSS_KEY_NOT_ESTABLISHED // // MessageText: // // Copy protection error - DVD session key not established. // const auto STATUS_CSS_KEY_NOT_ESTABLISHED = (cast(NTSTATUS)0xC0000308L); // // MessageId: STATUS_CSS_SCRAMBLED_SECTOR // // MessageText: // // Copy protection error - The read failed because the sector is encrypted. // const auto STATUS_CSS_SCRAMBLED_SECTOR = (cast(NTSTATUS)0xC0000309L); // // MessageId: STATUS_CSS_REGION_MISMATCH // // MessageText: // // Copy protection error - The given DVD's region does not correspond to the // region setting of the drive. // const auto STATUS_CSS_REGION_MISMATCH = (cast(NTSTATUS)0xC000030AL); // // MessageId: STATUS_CSS_RESETS_EXHAUSTED // // MessageText: // // Copy protection error - The drive's region setting may be permanent. // const auto STATUS_CSS_RESETS_EXHAUSTED = (cast(NTSTATUS)0xC000030BL); /*++ MessageId's 0x030c - 0x031f (inclusive) are reserved for future **STORAGE** copy protection errors. --*/ // // MessageId: STATUS_PKINIT_FAILURE // // MessageText: // // The kerberos protocol encountered an error while validating the KDC certificate during smartcard Logon. There // is more information in the system event log. // const auto STATUS_PKINIT_FAILURE = (cast(NTSTATUS)0xC0000320L); // // MessageId: STATUS_SMARTCARD_SUBSYSTEM_FAILURE // // MessageText: // // The kerberos protocol encountered an error while attempting to utilize the smartcard subsystem. // const auto STATUS_SMARTCARD_SUBSYSTEM_FAILURE = (cast(NTSTATUS)0xC0000321L); // // MessageId: STATUS_NO_KERB_KEY // // MessageText: // // The target server does not have acceptable kerberos credentials. // const auto STATUS_NO_KERB_KEY = (cast(NTSTATUS)0xC0000322L); /*++ MessageId's 0x0323 - 0x034f (inclusive) are reserved for other future copy protection errors. --*/ // // MessageId: STATUS_HOST_DOWN // // MessageText: // // The transport determined that the remote system is down. // const auto STATUS_HOST_DOWN = (cast(NTSTATUS)0xC0000350L); // // MessageId: STATUS_UNSUPPORTED_PREAUTH // // MessageText: // // An unsupported preauthentication mechanism was presented to the kerberos package. // const auto STATUS_UNSUPPORTED_PREAUTH = (cast(NTSTATUS)0xC0000351L); // // MessageId: STATUS_EFS_ALG_BLOB_TOO_BIG // // MessageText: // // The encryption algorithm used on the source file needs a bigger key buffer than the one used on the destination file. // const auto STATUS_EFS_ALG_BLOB_TOO_BIG = (cast(NTSTATUS)0xC0000352L); // // MessageId: STATUS_PORT_NOT_SET // // MessageText: // // An attempt to remove a processes DebugPort was made, but a port was not already associated with the process. // const auto STATUS_PORT_NOT_SET = (cast(NTSTATUS)0xC0000353L); // // MessageId: STATUS_DEBUGGER_INACTIVE // // MessageText: // // An attempt to do an operation on a debug port failed because the port is in the process of being deleted. // const auto STATUS_DEBUGGER_INACTIVE = (cast(NTSTATUS)0xC0000354L); // // MessageId: STATUS_DS_VERSION_CHECK_FAILURE // // MessageText: // // This version of Windows is not compatible with the behavior version of directory forest, domain or domain controller. // const auto STATUS_DS_VERSION_CHECK_FAILURE = (cast(NTSTATUS)0xC0000355L); // // MessageId: STATUS_AUDITING_DISABLED // // MessageText: // // The specified event is currently not being audited. // const auto STATUS_AUDITING_DISABLED = (cast(NTSTATUS)0xC0000356L); // // MessageId: STATUS_PRENT4_MACHINE_ACCOUNT // // MessageText: // // The machine account was created pre-NT4. The account needs to be recreated. // const auto STATUS_PRENT4_MACHINE_ACCOUNT = (cast(NTSTATUS)0xC0000357L); // // MessageId: STATUS_DS_AG_CANT_HAVE_UNIVERSAL_MEMBER // // MessageText: // // A account group cannot have a universal group as a member. // const auto STATUS_DS_AG_CANT_HAVE_UNIVERSAL_MEMBER = (cast(NTSTATUS)0xC0000358L); // // MessageId: STATUS_INVALID_IMAGE_WIN_32 // // MessageText: // // The specified image file did not have the correct format, it appears to be a 32-bit Windows image. // const auto STATUS_INVALID_IMAGE_WIN_32 = (cast(NTSTATUS)0xC0000359L); // // MessageId: STATUS_INVALID_IMAGE_WIN_64 // // MessageText: // // The specified image file did not have the correct format, it appears to be a 64-bit Windows image. // const auto STATUS_INVALID_IMAGE_WIN_64 = (cast(NTSTATUS)0xC000035AL); // // MessageId: STATUS_BAD_BINDINGS // // MessageText: // // Client's supplied SSPI channel bindings were incorrect. // const auto STATUS_BAD_BINDINGS = (cast(NTSTATUS)0xC000035BL); // // MessageId: STATUS_NETWORK_SESSION_EXPIRED // // MessageText: // // The client's session has expired, so the client must reauthenticate to continue accessing the remote resources. // const auto STATUS_NETWORK_SESSION_EXPIRED = (cast(NTSTATUS)0xC000035CL); // // MessageId: STATUS_APPHELP_BLOCK // // MessageText: // // AppHelp dialog canceled thus preventing the application from starting. // const auto STATUS_APPHELP_BLOCK = (cast(NTSTATUS)0xC000035DL); // // MessageId: STATUS_ALL_SIDS_FILTERED // // MessageText: // // The SID filtering operation removed all SIDs. // const auto STATUS_ALL_SIDS_FILTERED = (cast(NTSTATUS)0xC000035EL); // // MessageId: STATUS_NOT_SAFE_MODE_DRIVER // // MessageText: // // The driver was not loaded because the system is booting into safe mode. // const auto STATUS_NOT_SAFE_MODE_DRIVER = (cast(NTSTATUS)0xC000035FL); // // MessageId: STATUS_ACCESS_DISABLED_BY_POLICY_DEFAULT // // MessageText: // // Access to %1 has been restricted by your Administrator by the default software restriction policy level. // const auto STATUS_ACCESS_DISABLED_BY_POLICY_DEFAULT = (cast(NTSTATUS)0xC0000361L); // // MessageId: STATUS_ACCESS_DISABLED_BY_POLICY_PATH // // MessageText: // // Access to %1 has been restricted by your Administrator by location with policy rule %2 placed on path %3 // const auto STATUS_ACCESS_DISABLED_BY_POLICY_PATH = (cast(NTSTATUS)0xC0000362L); // // MessageId: STATUS_ACCESS_DISABLED_BY_POLICY_PUBLISHER // // MessageText: // // Access to %1 has been restricted by your Administrator by software publisher policy. // const auto STATUS_ACCESS_DISABLED_BY_POLICY_PUBLISHER = (cast(NTSTATUS)0xC0000363L); // // MessageId: STATUS_ACCESS_DISABLED_BY_POLICY_OTHER // // MessageText: // // Access to %1 has been restricted by your Administrator by policy rule %2. // const auto STATUS_ACCESS_DISABLED_BY_POLICY_OTHER = (cast(NTSTATUS)0xC0000364L); // // MessageId: STATUS_FAILED_DRIVER_ENTRY // // MessageText: // // The driver was not loaded because it failed it's initialization call. // const auto STATUS_FAILED_DRIVER_ENTRY = (cast(NTSTATUS)0xC0000365L); // // MessageId: STATUS_DEVICE_ENUMERATION_ERROR // // MessageText: // // The "%hs" encountered an error while applying power or reading the device configuration. // This may be caused by a failure of your hardware or by a poor connection. // const auto STATUS_DEVICE_ENUMERATION_ERROR = (cast(NTSTATUS)0xC0000366L); // // MessageId: STATUS_WAIT_FOR_OPLOCK // // MessageText: // // An operation is blocked waiting for an oplock. // const auto STATUS_WAIT_FOR_OPLOCK = (cast(NTSTATUS)0x00000367L); // // MessageId: STATUS_MOUNT_POINT_NOT_RESOLVED // // MessageText: // // The create operation failed because the name contained at least one mount point which resolves to a volume to which the specified device object is not attached. // const auto STATUS_MOUNT_POINT_NOT_RESOLVED = (cast(NTSTATUS)0xC0000368L); // // MessageId: STATUS_INVALID_DEVICE_OBJECT_PARAMETER // // MessageText: // // The device object parameter is either not a valid device object or is not attached to the volume specified by the file name. // const auto STATUS_INVALID_DEVICE_OBJECT_PARAMETER = (cast(NTSTATUS)0xC0000369L); // // MessageId: STATUS_MCA_OCCURED // // MessageText: // // A Machine Check Error has occurred. Please check the system eventlog for additional information. // const auto STATUS_MCA_OCCURED = (cast(NTSTATUS)0xC000036AL); // // MessageId: STATUS_DRIVER_BLOCKED_CRITICAL // // MessageText: // // Driver %2 has been blocked from loading. // const auto STATUS_DRIVER_BLOCKED_CRITICAL = (cast(NTSTATUS)0xC000036BL); // // MessageId: STATUS_DRIVER_BLOCKED // // MessageText: // // Driver %2 has been blocked from loading. // const auto STATUS_DRIVER_BLOCKED = (cast(NTSTATUS)0xC000036CL); // // MessageId: STATUS_DRIVER_DATABASE_ERROR // // MessageText: // // There was error [%2] processing the driver database. // const auto STATUS_DRIVER_DATABASE_ERROR = (cast(NTSTATUS)0xC000036DL); // // MessageId: STATUS_SYSTEM_HIVE_TOO_LARGE // // MessageText: // // System hive size has exceeded its limit. // const auto STATUS_SYSTEM_HIVE_TOO_LARGE = (cast(NTSTATUS)0xC000036EL); // // MessageId: STATUS_INVALID_IMPORT_OF_NON_DLL // // MessageText: // // A dynamic link library (DLL) referenced a module that was neither a DLL nor the process's executable image. // const auto STATUS_INVALID_IMPORT_OF_NON_DLL = (cast(NTSTATUS)0xC000036FL); // // MessageId: STATUS_DS_SHUTTING_DOWN // // MessageText: // // The Directory Service is shutting down. // const auto STATUS_DS_SHUTTING_DOWN = (cast(NTSTATUS)0x40000370L); // // MessageId: STATUS_NO_SECRETS // // MessageText: // // The local account store does not contain secret material for the specified account. // const auto STATUS_NO_SECRETS = (cast(NTSTATUS)0xC0000371L); // // MessageId: STATUS_ACCESS_DISABLED_NO_SAFER_UI_BY_POLICY // // MessageText: // // Access to %1 has been restricted by your Administrator by policy rule %2. // const auto STATUS_ACCESS_DISABLED_NO_SAFER_UI_BY_POLICY = (cast(NTSTATUS)0xC0000372L) ; // // MessageId: STATUS_FAILED_STACK_SWITCH // // MessageText: // // The system was not able to allocate enough memory to perform a stack switch. // const auto STATUS_FAILED_STACK_SWITCH = (cast(NTSTATUS)0xC0000373L); // // MessageId: STATUS_HEAP_CORRUPTION // // MessageText: // // A heap has been corrupted. // const auto STATUS_HEAP_CORRUPTION = (cast(NTSTATUS)0xC0000374L); // // MessageId: STATUS_SMARTCARD_WRONG_PIN // // MessageText: // // An incorrect PIN was presented to the smart card // const auto STATUS_SMARTCARD_WRONG_PIN = (cast(NTSTATUS)0xC0000380L); // // MessageId: STATUS_SMARTCARD_CARD_BLOCKED // // MessageText: // // The smart card is blocked // const auto STATUS_SMARTCARD_CARD_BLOCKED = (cast(NTSTATUS)0xC0000381L); // // MessageId: STATUS_SMARTCARD_CARD_NOT_AUTHENTICATED // // MessageText: // // No PIN was presented to the smart card // const auto STATUS_SMARTCARD_CARD_NOT_AUTHENTICATED = (cast(NTSTATUS)0xC0000382L); // // MessageId: STATUS_SMARTCARD_NO_CARD // // MessageText: // // No smart card available // const auto STATUS_SMARTCARD_NO_CARD = (cast(NTSTATUS)0xC0000383L); // // MessageId: STATUS_SMARTCARD_NO_KEY_CONTAINER // // MessageText: // // The requested key container does not exist on the smart card // const auto STATUS_SMARTCARD_NO_KEY_CONTAINER = (cast(NTSTATUS)0xC0000384L); // // MessageId: STATUS_SMARTCARD_NO_CERTIFICATE // // MessageText: // // The requested certificate does not exist on the smart card // const auto STATUS_SMARTCARD_NO_CERTIFICATE = (cast(NTSTATUS)0xC0000385L); // // MessageId: STATUS_SMARTCARD_NO_KEYSET // // MessageText: // // The requested keyset does not exist // const auto STATUS_SMARTCARD_NO_KEYSET = (cast(NTSTATUS)0xC0000386L); // // MessageId: STATUS_SMARTCARD_IO_ERROR // // MessageText: // // A communication error with the smart card has been detected. // const auto STATUS_SMARTCARD_IO_ERROR = (cast(NTSTATUS)0xC0000387L); // // MessageId: STATUS_DOWNGRADE_DETECTED // // MessageText: // // The system detected a possible attempt to compromise security. Please ensure that you can contact the server that authenticated you. // const auto STATUS_DOWNGRADE_DETECTED = (cast(NTSTATUS)0xC0000388L); // // MessageId: STATUS_SMARTCARD_CERT_REVOKED // // MessageText: // // The smartcard certificate used for authentication has been revoked. // Please contact your system administrator. There may be additional information in the // event log. // const auto STATUS_SMARTCARD_CERT_REVOKED = (cast(NTSTATUS)0xC0000389L); // // MessageId: STATUS_ISSUING_CA_UNTRUSTED // // MessageText: // // An untrusted certificate authority was detected While processing the // smartcard certificate used for authentication. Please contact your system // administrator. // const auto STATUS_ISSUING_CA_UNTRUSTED = (cast(NTSTATUS)0xC000038AL); // // MessageId: STATUS_REVOCATION_OFFLINE_C // // MessageText: // // The revocation status of the smartcard certificate used for // authentication could not be determined. Please contact your system administrator. // const auto STATUS_REVOCATION_OFFLINE_C = (cast(NTSTATUS)0xC000038BL); // // MessageId: STATUS_PKINIT_CLIENT_FAILURE // // MessageText: // // The smartcard certificate used for authentication was not trusted. Please // contact your system administrator. // const auto STATUS_PKINIT_CLIENT_FAILURE = (cast(NTSTATUS)0xC000038CL); // // MessageId: STATUS_SMARTCARD_CERT_EXPIRED // // MessageText: // // The smartcard certificate used for authentication has expired. Please // contact your system administrator. // const auto STATUS_SMARTCARD_CERT_EXPIRED = (cast(NTSTATUS)0xC000038DL); // // MessageId: STATUS_DRIVER_FAILED_PRIOR_UNLOAD // // MessageText: // // The driver could not be loaded because a previous version of the driver is still in memory. // const auto STATUS_DRIVER_FAILED_PRIOR_UNLOAD = (cast(NTSTATUS)0xC000038EL); // // MessageId: STATUS_SMARTCARD_SILENT_CONTEXT // // MessageText: // // The smartcard provider could not perform the action since the context was acquired as silent. // const auto STATUS_SMARTCARD_SILENT_CONTEXT = (cast(NTSTATUS)0xC000038FL); /* MessageId up to 0x400 is reserved for smart cards */ // // MessageId: STATUS_PER_USER_TRUST_QUOTA_EXCEEDED // // MessageText: // // The current user's delegated trust creation quota has been exceeded. // const auto STATUS_PER_USER_TRUST_QUOTA_EXCEEDED = (cast(NTSTATUS)0xC0000401L); // // MessageId: STATUS_ALL_USER_TRUST_QUOTA_EXCEEDED // // MessageText: // // The total delegated trust creation quota has been exceeded. // const auto STATUS_ALL_USER_TRUST_QUOTA_EXCEEDED = (cast(NTSTATUS)0xC0000402L); // // MessageId: STATUS_USER_DELETE_TRUST_QUOTA_EXCEEDED // // MessageText: // // The current user's delegated trust deletion quota has been exceeded. // const auto STATUS_USER_DELETE_TRUST_QUOTA_EXCEEDED = (cast(NTSTATUS)0xC0000403L); // // MessageId: STATUS_DS_NAME_NOT_UNIQUE // // MessageText: // // The requested name already exists as a unique identifier. // const auto STATUS_DS_NAME_NOT_UNIQUE = (cast(NTSTATUS)0xC0000404L); // // MessageId: STATUS_DS_DUPLICATE_ID_FOUND // // MessageText: // // The requested object has a non-unique identifier and cannot be retrieved. // const auto STATUS_DS_DUPLICATE_ID_FOUND = (cast(NTSTATUS)0xC0000405L); // // MessageId: STATUS_DS_GROUP_CONVERSION_ERROR // // MessageText: // // The group cannot be converted due to attribute restrictions on the requested group type. // const auto STATUS_DS_GROUP_CONVERSION_ERROR = (cast(NTSTATUS)0xC0000406L); // // MessageId: STATUS_VOLSNAP_PREPARE_HIBERNATE // // MessageText: // // {Volume Shadow Copy Service} // Please wait while the Volume Shadow Copy Service prepares volume %hs for hibernation. // const auto STATUS_VOLSNAP_PREPARE_HIBERNATE = (cast(NTSTATUS)0xC0000407L); // // MessageId: STATUS_USER2USER_REQUIRED // // MessageText: // // Kerberos sub-protocol User2User is required. // const auto STATUS_USER2USER_REQUIRED = (cast(NTSTATUS)0xC0000408L); // // MessageId: STATUS_STACK_BUFFER_OVERRUN // // MessageText: // // The system detected an overrun of a stack-based buffer in this application. This // overrun could potentially allow a malicious user to gain control of this application. // const auto STATUS_STACK_BUFFER_OVERRUN = (cast(NTSTATUS)0xC0000409L); // // MessageId: STATUS_NO_S4U_PROT_SUPPORT // // MessageText: // // The Kerberos subsystem encountered an error. A service for user protocol request was made // against a domain controller which does not support service for user. // const auto STATUS_NO_S4U_PROT_SUPPORT = (cast(NTSTATUS)0xC000040AL); // // MessageId: STATUS_CROSSREALM_DELEGATION_FAILURE // // MessageText: // // An attempt was made by this server to make a Kerberos constrained delegation request for a target // outside of the server's realm. This is not supported, and indicates a misconfiguration on this // server's allowed to delegate to list. Please contact your administrator. // const auto STATUS_CROSSREALM_DELEGATION_FAILURE = (cast(NTSTATUS)0xC000040BL); // // MessageId: STATUS_REVOCATION_OFFLINE_KDC // // MessageText: // // The revocation status of the domain controller certificate used for smartcard // authentication could not be determined. There is additional information in the system event // log. Please contact your system administrator. // const auto STATUS_REVOCATION_OFFLINE_KDC = (cast(NTSTATUS)0xC000040CL); // // MessageId: STATUS_ISSUING_CA_UNTRUSTED_KDC // // MessageText: // // An untrusted certificate authority was detected while processing the // domain controller certificate used for authentication. There is additional information in // the system event log. Please contact your system administrator. // const auto STATUS_ISSUING_CA_UNTRUSTED_KDC = (cast(NTSTATUS)0xC000040DL); // // MessageId: STATUS_KDC_CERT_EXPIRED // // MessageText: // // The domain controller certificate used for smartcard logon has expired. // Please contact your system administrator with the contents of your system event log. // const auto STATUS_KDC_CERT_EXPIRED = (cast(NTSTATUS)0xC000040EL); // // MessageId: STATUS_KDC_CERT_REVOKED // // MessageText: // // The domain controller certificate used for smartcard logon has been revoked. // Please contact your system administrator with the contents of your system event log. // const auto STATUS_KDC_CERT_REVOKED = (cast(NTSTATUS)0xC000040FL); // // MessageId: STATUS_PARAMETER_QUOTA_EXCEEDED // // MessageText: // // Data present in one of the parameters is more than the function can operate on. // const auto STATUS_PARAMETER_QUOTA_EXCEEDED = (cast(NTSTATUS)0xC0000410L); // // MessageId: STATUS_HIBERNATION_FAILURE // // MessageText: // // The system has failed to hibernate (The error code is %hs). Hibernation will be disabled until the system is restarted. // const auto STATUS_HIBERNATION_FAILURE = (cast(NTSTATUS)0xC0000411L); // // MessageId: STATUS_DELAY_LOAD_FAILED // // MessageText: // // An attempt to delay-load a .dll or get a function address in a delay-loaded .dll failed. // const auto STATUS_DELAY_LOAD_FAILED = (cast(NTSTATUS)0xC0000412L); // // MessageId: STATUS_AUTHENTICATION_FIREWALL_FAILED // // MessageText: // // Logon Failure: The machine you are logging onto is protected by an authentication firewall. The specified account is not allowed to authenticate to the machine. // const auto STATUS_AUTHENTICATION_FIREWALL_FAILED = (cast(NTSTATUS)0xC0000413L); // // MessageId: STATUS_VDM_DISALLOWED // // MessageText: // // %hs is a 16-bit application. You do not have permissions to execute 16-bit applications. Check your permissions with your system administrator. // const auto STATUS_VDM_DISALLOWED = (cast(NTSTATUS)0xC0000414L); // // MessageId: STATUS_HUNG_DISPLAY_DRIVER_THREAD // // MessageText: // // {Display Driver Stopped Responding} // The %hs display driver has stopped working normally. Save your work and reboot the system to restore full display functionality. // The next time you reboot the machine a dialog will be displayed giving you a chance to report this failure to Microsoft. // const auto STATUS_HUNG_DISPLAY_DRIVER_THREAD = (cast(NTSTATUS)0xC0000415L); // // MessageId: STATUS_INSUFFICIENT_RESOURCE_FOR_SPECIFIED_SHARED_SECTION_SIZE // // MessageText: // // The Desktop heap encountered an error while allocating session memory. There is more information in the system event log. // const auto STATUS_INSUFFICIENT_RESOURCE_FOR_SPECIFIED_SHARED_SECTION_SIZE = (cast(NTSTATUS)0xC0000416L); // // MessageId: STATUS_INVALID_CRUNTIME_PARAMETER // // MessageText: // // An invalid parameter was passed to a C runtime function. // const auto STATUS_INVALID_CRUNTIME_PARAMETER = (cast(NTSTATUS)0xC0000417L); // // MessageId: STATUS_NTLM_BLOCKED // // MessageText: // // The authentication failed since NTLM was blocked. // const auto STATUS_NTLM_BLOCKED = (cast(NTSTATUS)0xC0000418L); /*++ MessageId=0x0420 Facility=System Severity=ERROR SymbolicName=STATUS_ASSERTION_FAILURE Language=English An assertion failure has occurred. . --*/ const auto STATUS_ASSERTION_FAILURE = (cast(NTSTATUS)0xC0000420L); // // MessageId: STATUS_VERIFIER_STOP // // MessageText: // // Application verifier has found an error in the current process. // const auto STATUS_VERIFIER_STOP = (cast(NTSTATUS)0xC0000421L); /*++ MessageId=0x0423 Facility=System Severity=ERROR SymbolicName=STATUS_CALLBACK_POP_STACK Language=English An exception has occurred in a user mode callback and the kernel callback frame should be removed. . --*/ const auto STATUS_CALLBACK_POP_STACK = (cast(NTSTATUS)0xC0000423L); // // MessageId: STATUS_INCOMPATIBLE_DRIVER_BLOCKED // // MessageText: // // %2 has been blocked from loading due to incompatibility with this system. Please contact your software // vendor for a compatible version of the driver. // const auto STATUS_INCOMPATIBLE_DRIVER_BLOCKED = (cast(NTSTATUS)0xC0000424L); // // MessageId: STATUS_HIVE_UNLOADED // // MessageText: // // Illegal operation attempted on a registry key which has already been unloaded. // const auto STATUS_HIVE_UNLOADED = (cast(NTSTATUS)0xC0000425L); // // MessageId: STATUS_COMPRESSION_DISABLED // // MessageText: // // Compression is disabled for this volume. // const auto STATUS_COMPRESSION_DISABLED = (cast(NTSTATUS)0xC0000426L); // // MessageId: STATUS_FILE_SYSTEM_LIMITATION // // MessageText: // // The requested operation could not be completed due to a file system limitation // const auto STATUS_FILE_SYSTEM_LIMITATION = (cast(NTSTATUS)0xC0000427L); // // MessageId: STATUS_INVALID_IMAGE_HASH // // MessageText: // // Windows cannot verify the digital signature for this file. A recent hardware or software change might have installed a file that is signed incorrectly or damaged, or that might be malicious software from an unknown source. // const auto STATUS_INVALID_IMAGE_HASH = (cast(NTSTATUS)0xC0000428L); // // MessageId: STATUS_NOT_CAPABLE // // MessageText: // // The implementation is not capable of performing the request. // const auto STATUS_NOT_CAPABLE = (cast(NTSTATUS)0xC0000429L); // // MessageId: STATUS_REQUEST_OUT_OF_SEQUENCE // // MessageText: // // The requested operation is out of order with respect to other operations. // const auto STATUS_REQUEST_OUT_OF_SEQUENCE = (cast(NTSTATUS)0xC000042AL); // // MessageId: STATUS_IMPLEMENTATION_LIMIT // // MessageText: // // An operation attempted to exceed an implementation-defined limit. // const auto STATUS_IMPLEMENTATION_LIMIT = (cast(NTSTATUS)0xC000042BL); // // MessageId: STATUS_ELEVATION_REQUIRED // // MessageText: // // The requested operation requires elevation. // const auto STATUS_ELEVATION_REQUIRED = (cast(NTSTATUS)0xC000042CL); // // MessageId: STATUS_BEYOND_VDL // // MessageText: // // The operation was attempted beyond the valid data length of the file. // const auto STATUS_BEYOND_VDL = (cast(NTSTATUS)0xC0000432L); // // MessageId: STATUS_ENCOUNTERED_WRITE_IN_PROGRESS // // MessageText: // // The attempted write operation encountered a write already in progress for some portion of the range. // const auto STATUS_ENCOUNTERED_WRITE_IN_PROGRESS = (cast(NTSTATUS)0xC0000433L); // // MessageId: STATUS_PTE_CHANGED // // MessageText: // // The page fault mappings changed in the middle of processing a fault so the operation must be retried. // const auto STATUS_PTE_CHANGED = (cast(NTSTATUS)0xC0000434L); // // MessageId: STATUS_PURGE_FAILED // // MessageText: // // The attempt to purge this file from memory failed to purge some or all the data from memory. // const auto STATUS_PURGE_FAILED = (cast(NTSTATUS)0xC0000435L); // // MessageId: STATUS_CRED_REQUIRES_CONFIRMATION // // MessageText: // // The requested credential requires confirmation. // const auto STATUS_CRED_REQUIRES_CONFIRMATION = (cast(NTSTATUS)0xC0000440L); // // MessageId: STATUS_CS_ENCRYPTION_INVALID_SERVER_RESPONSE // // MessageText: // // The remote server sent an invalid response for a file being opened with Client Side Encryption. // const auto STATUS_CS_ENCRYPTION_INVALID_SERVER_RESPONSE = (cast(NTSTATUS)0xC0000441L); // // MessageId: STATUS_CS_ENCRYPTION_UNSUPPORTED_SERVER // // MessageText: // // Client Side Encryption is not supported by the remote server even though it claims to support it. // const auto STATUS_CS_ENCRYPTION_UNSUPPORTED_SERVER = (cast(NTSTATUS)0xC0000442L); // // MessageId: STATUS_CS_ENCRYPTION_EXISTING_ENCRYPTED_FILE // // MessageText: // // File is encrypted and should be opened in Client Side Encryption mode. // const auto STATUS_CS_ENCRYPTION_EXISTING_ENCRYPTED_FILE = (cast(NTSTATUS)0xC0000443L); // // MessageId: STATUS_CS_ENCRYPTION_NEW_ENCRYPTED_FILE // // MessageText: // // A new encrypted file is being created and a $EFS needs to be provided. // const auto STATUS_CS_ENCRYPTION_NEW_ENCRYPTED_FILE = (cast(NTSTATUS)0xC0000444L); // // MessageId: STATUS_CS_ENCRYPTION_FILE_NOT_CSE // // MessageText: // // The SMB client requested a CSE FSCTL on a non-CSE file. // const auto STATUS_CS_ENCRYPTION_FILE_NOT_CSE = (cast(NTSTATUS)0xC0000445L); // // MessageId: STATUS_INVALID_LABEL // // MessageText: // // Indicates a particular Security ID may not be assigned as the label of an object. // const auto STATUS_INVALID_LABEL = (cast(NTSTATUS)0xC0000446L); // // MessageId: STATUS_DRIVER_PROCESS_TERMINATED // // MessageText: // // The process hosting the driver for this device has terminated. // const auto STATUS_DRIVER_PROCESS_TERMINATED = (cast(NTSTATUS)0xC0000450L); // // MessageId: STATUS_AMBIGUOUS_SYSTEM_DEVICE // // MessageText: // // The requested system device cannot be identified due to multiple indistinguishable devices potentially matching the identification criteria. // const auto STATUS_AMBIGUOUS_SYSTEM_DEVICE = (cast(NTSTATUS)0xC0000451L); // // MessageId: STATUS_SYSTEM_DEVICE_NOT_FOUND // // MessageText: // // The requested system device cannot be found. // const auto STATUS_SYSTEM_DEVICE_NOT_FOUND = (cast(NTSTATUS)0xC0000452L); // // MessageId: STATUS_RESTART_BOOT_APPLICATION // // MessageText: // // This boot application must be restarted. // const auto STATUS_RESTART_BOOT_APPLICATION = (cast(NTSTATUS)0xC0000453L); // // MessageId: STATUS_INVALID_TASK_NAME // // MessageText: // // The specified task name is invalid. // const auto STATUS_INVALID_TASK_NAME = (cast(NTSTATUS)0xC0000500L); // // MessageId: STATUS_INVALID_TASK_INDEX // // MessageText: // // The specified task index is invalid. // const auto STATUS_INVALID_TASK_INDEX = (cast(NTSTATUS)0xC0000501L); // // MessageId: STATUS_THREAD_ALREADY_IN_TASK // // MessageText: // // The specified thread is already joining a task. // const auto STATUS_THREAD_ALREADY_IN_TASK = (cast(NTSTATUS)0xC0000502L); // // MessageId: STATUS_CALLBACK_BYPASS // // MessageText: // // A callback has requested to bypass native code. // const auto STATUS_CALLBACK_BYPASS = (cast(NTSTATUS)0xC0000503L); // // MessageId: STATUS_PORT_CLOSED // // MessageText: // // The ALPC port is closed. // const auto STATUS_PORT_CLOSED = (cast(NTSTATUS)0xC0000700L); // // MessageId: STATUS_MESSAGE_LOST // // MessageText: // // The ALPC message requested is no longer available. // const auto STATUS_MESSAGE_LOST = (cast(NTSTATUS)0xC0000701L); // // MessageId: STATUS_INVALID_MESSAGE // // MessageText: // // The ALPC message supplied is invalid. // const auto STATUS_INVALID_MESSAGE = (cast(NTSTATUS)0xC0000702L); // // MessageId: STATUS_REQUEST_CANCELED // // MessageText: // // The ALPC message has been canceled. // const auto STATUS_REQUEST_CANCELED = (cast(NTSTATUS)0xC0000703L); // // MessageId: STATUS_RECURSIVE_DISPATCH // // MessageText: // // Invalid recursive dispatch attempt. // const auto STATUS_RECURSIVE_DISPATCH = (cast(NTSTATUS)0xC0000704L); // // MessageId: STATUS_LPC_RECEIVE_BUFFER_EXPECTED // // MessageText: // // No receive buffer has been supplied in a synchrounus request. // const auto STATUS_LPC_RECEIVE_BUFFER_EXPECTED = (cast(NTSTATUS)0xC0000705L); // // MessageId: STATUS_LPC_INVALID_CONNECTION_USAGE // // MessageText: // // The connection port is used in an invalid context. // const auto STATUS_LPC_INVALID_CONNECTION_USAGE = (cast(NTSTATUS)0xC0000706L); // // MessageId: STATUS_LPC_REQUESTS_NOT_ALLOWED // // MessageText: // // The ALPC port does not accept new request messages. // const auto STATUS_LPC_REQUESTS_NOT_ALLOWED = (cast(NTSTATUS)0xC0000707L); // // MessageId: STATUS_RESOURCE_IN_USE // // MessageText: // // The resource requested is already in use. // const auto STATUS_RESOURCE_IN_USE = (cast(NTSTATUS)0xC0000708L); // // MessageId: STATUS_HARDWARE_MEMORY_ERROR // // MessageText: // // The hardware has reported an uncorrectable memory error. // const auto STATUS_HARDWARE_MEMORY_ERROR = (cast(NTSTATUS)0xC0000709L); // // MessageId: STATUS_THREADPOOL_HANDLE_EXCEPTION // // MessageText: // // Status 0x%08x was returned, waiting on handle 0x%x for wait 0x%p, in waiter 0x%p. // const auto STATUS_THREADPOOL_HANDLE_EXCEPTION = (cast(NTSTATUS)0xC000070AL); // // MessageId: STATUS_THREADPOOL_SET_EVENT_ON_COMPLETION_FAILED // // MessageText: // // After a callback to 0x%p(0x%p), a completion call to SetEvent(0x%p) failed with status 0x%08x. // const auto STATUS_THREADPOOL_SET_EVENT_ON_COMPLETION_FAILED = (cast(NTSTATUS)0xC000070BL); // // MessageId: STATUS_THREADPOOL_RELEASE_SEMAPHORE_ON_COMPLETION_FAILED // // MessageText: // // After a callback to 0x%p(0x%p), a completion call to ReleaseSemaphore(0x%p, %d) failed with status 0x%08x. // const auto STATUS_THREADPOOL_RELEASE_SEMAPHORE_ON_COMPLETION_FAILED = (cast(NTSTATUS)0xC000070CL); // // MessageId: STATUS_THREADPOOL_RELEASE_MUTEX_ON_COMPLETION_FAILED // // MessageText: // // After a callback to 0x%p(0x%p), a completion call to ReleaseMutex(%p) failed with status 0x%08x. // const auto STATUS_THREADPOOL_RELEASE_MUTEX_ON_COMPLETION_FAILED = (cast(NTSTATUS)0xC000070DL); // // MessageId: STATUS_THREADPOOL_FREE_LIBRARY_ON_COMPLETION_FAILED // // MessageText: // // After a callback to 0x%p(0x%p), an completion call to FreeLibrary(%p) failed with status 0x%08x. // const auto STATUS_THREADPOOL_FREE_LIBRARY_ON_COMPLETION_FAILED = (cast(NTSTATUS)0xC000070EL); // // MessageId: STATUS_THREADPOOL_RELEASED_DURING_OPERATION // // MessageText: // // The threadpool 0x%p was released while a thread was posting a callback to 0x%p(0x%p) to it. // const auto STATUS_THREADPOOL_RELEASED_DURING_OPERATION = (cast(NTSTATUS)0xC000070FL); // // MessageId: STATUS_CALLBACK_RETURNED_WHILE_IMPERSONATING // // MessageText: // // A threadpool worker thread is impersonating a client, after a callback to 0x%p(0x%p). // This is unexpected, indicating that the callback is missing a call to revert the impersonation. // const auto STATUS_CALLBACK_RETURNED_WHILE_IMPERSONATING = (cast(NTSTATUS)0xC0000710L); // // MessageId: STATUS_APC_RETURNED_WHILE_IMPERSONATING // // MessageText: // // A threadpool worker thread is impersonating a client, after executing an APC. // This is unexpected, indicating that the APC is missing a call to revert the impersonation. // const auto STATUS_APC_RETURNED_WHILE_IMPERSONATING = (cast(NTSTATUS)0xC0000711L); // // MessageId: STATUS_PROCESS_IS_PROTECTED // // MessageText: // // Either the target process, or the target thread's containing process, is a protected process. // const auto STATUS_PROCESS_IS_PROTECTED = (cast(NTSTATUS)0xC0000712L); // // MessageId: STATUS_MCA_EXCEPTION // // MessageText: // // A Thread is getting dispatched with MCA EXCEPTION because of MCA. // const auto STATUS_MCA_EXCEPTION = (cast(NTSTATUS)0xC0000713L); // // MessageId: STATUS_CERTIFICATE_MAPPING_NOT_UNIQUE // // MessageText: // // The client certificate account mapping is not unique. // const auto STATUS_CERTIFICATE_MAPPING_NOT_UNIQUE = (cast(NTSTATUS)0xC0000714L); // // MessageId: STATUS_SYMLINK_CLASS_DISABLED // // MessageText: // // The symbolic link cannot be followed because its type is disabled. // const auto STATUS_SYMLINK_CLASS_DISABLED = (cast(NTSTATUS)0xC0000715L); // // MessageId: STATUS_INVALID_IDN_NORMALIZATION // // MessageText: // // Indicates that the specified string is not valid for IDN normalization. // const auto STATUS_INVALID_IDN_NORMALIZATION = (cast(NTSTATUS)0xC0000716L); // // MessageId: STATUS_NO_UNICODE_TRANSLATION // // MessageText: // // No mapping for the Unicode character exists in the target multi-byte code page. // const auto STATUS_NO_UNICODE_TRANSLATION = (cast(NTSTATUS)0xC0000717L); // // MessageId: STATUS_ALREADY_REGISTERED // // MessageText: // // The provided callback is already registered. // const auto STATUS_ALREADY_REGISTERED = (cast(NTSTATUS)0xC0000718L); // // MessageId: STATUS_CONTEXT_MISMATCH // // MessageText: // // The provided context did not match the target. // const auto STATUS_CONTEXT_MISMATCH = (cast(NTSTATUS)0xC0000719L); // // MessageId: STATUS_PORT_ALREADY_HAS_COMPLETION_LIST // // MessageText: // // The specified port already has a completion list. // const auto STATUS_PORT_ALREADY_HAS_COMPLETION_LIST = (cast(NTSTATUS)0xC000071AL); // // MessageId: STATUS_CALLBACK_RETURNED_THREAD_PRIORITY // // MessageText: // // A threadpool worker thread enter a callback at thread base priority 0x%x and exited at priority 0x%x. // This is unexpected, indicating that the callback missed restoring the priority. // const auto STATUS_CALLBACK_RETURNED_THREAD_PRIORITY = (cast(NTSTATUS)0xC000071BL); // // MessageId: STATUS_INVALID_THREAD // // MessageText: // // An invalid thread, handle %p, is specified for this operation. Possibly, a threadpool worker thread was specified. // const auto STATUS_INVALID_THREAD = (cast(NTSTATUS)0xC000071CL); // // MessageId: STATUS_CALLBACK_RETURNED_TRANSACTION // // MessageText: // // A threadpool worker thread enter a callback, which left transaction state. // This is unexpected, indicating that the callback missed clearing the transaction. // const auto STATUS_CALLBACK_RETURNED_TRANSACTION = (cast(NTSTATUS)0xC000071DL); // // MessageId: STATUS_CALLBACK_RETURNED_LDR_LOCK // // MessageText: // // A threadpool worker thread enter a callback, which left the loader lock held. // This is unexpected, indicating that the callback missed releasing the lock. // const auto STATUS_CALLBACK_RETURNED_LDR_LOCK = (cast(NTSTATUS)0xC000071EL); // // MessageId: STATUS_CALLBACK_RETURNED_LANG // // MessageText: // // A threadpool worker thread enter a callback, which left with preferred languages set. // This is unexpected, indicating that the callback missed clearing them. // const auto STATUS_CALLBACK_RETURNED_LANG = (cast(NTSTATUS)0xC000071FL); // // MessageId: STATUS_CALLBACK_RETURNED_PRI_BACK // // MessageText: // // A threadpool worker thread enter a callback, which left with background priorities set. // This is unexpected, indicating that the callback missed restoring the original priorities. // const auto STATUS_CALLBACK_RETURNED_PRI_BACK = (cast(NTSTATUS)0xC0000720L); // // MessageId: STATUS_CALLBACK_RETURNED_THREAD_AFFINITY // // MessageText: // // A threadpool worker thread enter a callback at thread affinity %p and exited at affinity %p. // This is unexpected, indicating that the callback missed restoring the priority. // const auto STATUS_CALLBACK_RETURNED_THREAD_AFFINITY = (cast(NTSTATUS)0xC0000721L); // // MessageId: STATUS_DISK_REPAIR_DISABLED // // MessageText: // // The attempted operation required self healing to be enabled. // const auto STATUS_DISK_REPAIR_DISABLED = (cast(NTSTATUS)0xC0000800L); // // MessageId: STATUS_DS_DOMAIN_RENAME_IN_PROGRESS // // MessageText: // // The Directory Service cannot perform the requested operation because a domain rename operation is in progress. // const auto STATUS_DS_DOMAIN_RENAME_IN_PROGRESS = (cast(NTSTATUS)0xC0000801L); // // MessageId: STATUS_DISK_QUOTA_EXCEEDED // // MessageText: // // The requested file operation failed because the storage quota was exceeded. // To free up disk space, move files to a different location or delete unnecessary files. For more information, contact your system administrator. // const auto STATUS_DISK_QUOTA_EXCEEDED = (cast(NTSTATUS)0xC0000802L); // // MessageId: STATUS_DATA_LOST_REPAIR // // MessageText: // // Windows discovered a corruption in the file %hs. This file has now been repaired. // Please check if any data in the file was lost because of the corruption. // const auto STATUS_DATA_LOST_REPAIR = (cast(NTSTATUS)0x80000803L); // // MessageId: STATUS_CONTENT_BLOCKED // // MessageText: // // The requested file operation failed because the storage policy blocks that type of file. For more information, contact your system administrator. // const auto STATUS_CONTENT_BLOCKED = (cast(NTSTATUS)0xC0000804L); // // MessageId: STATUS_BAD_CLUSTERS // // MessageText: // // The operation could not be completed due to bad clusters on disk. // const auto STATUS_BAD_CLUSTERS = (cast(NTSTATUS)0xC0000805L); // // MessageId: STATUS_VOLUME_DIRTY // // MessageText: // // The operation could not be completed because the volume is dirty. Please run chkdsk and try again. // const auto STATUS_VOLUME_DIRTY = (cast(NTSTATUS)0xC0000806L); // // MessageId: STATUS_FILE_CHECKED_OUT // // MessageText: // // This file is checked out or locked for editing by another user. // const auto STATUS_FILE_CHECKED_OUT = (cast(NTSTATUS)0xC0000901L); // // MessageId: STATUS_CHECKOUT_REQUIRED // // MessageText: // // The file must be checked out before saving changes. // const auto STATUS_CHECKOUT_REQUIRED = (cast(NTSTATUS)0xC0000902L); // // MessageId: STATUS_BAD_FILE_TYPE // // MessageText: // // The file type being saved or retrieved has been blocked. // const auto STATUS_BAD_FILE_TYPE = (cast(NTSTATUS)0xC0000903L); // // MessageId: STATUS_FILE_TOO_LARGE // // MessageText: // // The file size exceeds the limit allowed and cannot be saved. // const auto STATUS_FILE_TOO_LARGE = (cast(NTSTATUS)0xC0000904L); // // MessageId: STATUS_FORMS_AUTH_REQUIRED // // MessageText: // // Access Denied. Before opening files in this location, you must first browse to the web site and select the option to login automatically. // const auto STATUS_FORMS_AUTH_REQUIRED = (cast(NTSTATUS)0xC0000905L); // // MessageId: STATUS_VIRUS_INFECTED // // MessageText: // // Operation did not complete successfully because the file contains a virus. // const auto STATUS_VIRUS_INFECTED = (cast(NTSTATUS)0xC0000906L); // // MessageId: STATUS_VIRUS_DELETED // // MessageText: // // This file contains a virus and cannot be opened. Due to the nature of this virus, the file has been removed from this location. // const auto STATUS_VIRUS_DELETED = (cast(NTSTATUS)0xC0000907L); // // MessageId: STATUS_BAD_MCFG_TABLE // // MessageText: // // The resources required for this device conflict with the MCFG table. // const auto STATUS_BAD_MCFG_TABLE = (cast(NTSTATUS)0xC0000908L); // // MessageId: STATUS_WOW_ASSERTION // // MessageText: // // WOW Assertion Error. // const auto STATUS_WOW_ASSERTION = (cast(NTSTATUS)0xC0009898L); // // MessageId: STATUS_INVALID_SIGNATURE // // MessageText: // // The cryptographic signature is invalid. // const auto STATUS_INVALID_SIGNATURE = (cast(NTSTATUS)0xC000A000L); // // MessageId: STATUS_HMAC_NOT_SUPPORTED // // MessageText: // // The cryptographic provider does not support HMAC. // const auto STATUS_HMAC_NOT_SUPPORTED = (cast(NTSTATUS)0xC000A001L); /*++ MessageId's 0xa010 - 0xa07f (inclusive) are reserved for TCPIP errors. --*/ // // MessageId: STATUS_IPSEC_QUEUE_OVERFLOW // // MessageText: // // The IPSEC queue overflowed. // const auto STATUS_IPSEC_QUEUE_OVERFLOW = (cast(NTSTATUS)0xC000A010L); // // MessageId: STATUS_ND_QUEUE_OVERFLOW // // MessageText: // // The neighbor discovery queue overflowed. // const auto STATUS_ND_QUEUE_OVERFLOW = (cast(NTSTATUS)0xC000A011L); // // MessageId: STATUS_HOPLIMIT_EXCEEDED // // MessageText: // // An ICMP hop limit exceeded error was received. // const auto STATUS_HOPLIMIT_EXCEEDED = (cast(NTSTATUS)0xC000A012L); // // MessageId: STATUS_PROTOCOL_NOT_SUPPORTED // // MessageText: // // The protocol is not installed on the local machine. // const auto STATUS_PROTOCOL_NOT_SUPPORTED = (cast(NTSTATUS)0xC000A013L); /*++ MessageId's 0xa014 - 0xa07f (inclusive) are reserved for TCPIP errors. --*/ // // MessageId: STATUS_LOST_WRITEBEHIND_DATA_NETWORK_DISCONNECTED // // MessageText: // // {Delayed Write Failed} // Windows was unable to save all the data for the file %hs; the data has been lost. // This error may be caused by network connectivity issues. Please try to save this file elsewhere. // const auto STATUS_LOST_WRITEBEHIND_DATA_NETWORK_DISCONNECTED = (cast(NTSTATUS)0xC000A080L); // // MessageId: STATUS_LOST_WRITEBEHIND_DATA_NETWORK_SERVER_ERROR // // MessageText: // // {Delayed Write Failed} // Windows was unable to save all the data for the file %hs; the data has been lost. // This error was returned by the server on which the file exists. Please try to save this file elsewhere. // const auto STATUS_LOST_WRITEBEHIND_DATA_NETWORK_SERVER_ERROR = (cast(NTSTATUS)0xC000A081L); // // MessageId: STATUS_LOST_WRITEBEHIND_DATA_LOCAL_DISK_ERROR // // MessageText: // // {Delayed Write Failed} // Windows was unable to save all the data for the file %hs; the data has been lost. // This error may be caused if the device has been removed or the media is write-protected. // const auto STATUS_LOST_WRITEBEHIND_DATA_LOCAL_DISK_ERROR = (cast(NTSTATUS)0xC000A082L); // // MessageId: STATUS_XML_PARSE_ERROR // // MessageText: // // Windows was unable to parse the requested XML data. // const auto STATUS_XML_PARSE_ERROR = (cast(NTSTATUS)0xC000A083L); // // MessageId: STATUS_XMLDSIG_ERROR // // MessageText: // // An error was encountered while processing an XML digital signature. // const auto STATUS_XMLDSIG_ERROR = (cast(NTSTATUS)0xC000A084L); // // MessageId: STATUS_WRONG_COMPARTMENT // // MessageText: // // Indicates that the caller made the connection request in the wrong routing compartment. // const auto STATUS_WRONG_COMPARTMENT = (cast(NTSTATUS)0xC000A085L); // // MessageId: STATUS_AUTHIP_FAILURE // // MessageText: // // Indicates that there was an AuthIP failure when attempting to connect to the remote host. // const auto STATUS_AUTHIP_FAILURE = (cast(NTSTATUS)0xC000A086L); // // Debugger error values // // // MessageId: DBG_NO_STATE_CHANGE // // MessageText: // // Debugger did not perform a state change. // const auto DBG_NO_STATE_CHANGE = (cast(NTSTATUS)0xC0010001L); // // MessageId: DBG_APP_NOT_IDLE // // MessageText: // // Debugger has found the application is not idle. // const auto DBG_APP_NOT_IDLE = (cast(NTSTATUS)0xC0010002L); // // RPC error values // // // MessageId: RPC_NT_INVALID_STRING_BINDING // // MessageText: // // The string binding is invalid. // const auto RPC_NT_INVALID_STRING_BINDING = (cast(NTSTATUS)0xC0020001L); // // MessageId: RPC_NT_WRONG_KIND_OF_BINDING // // MessageText: // // The binding handle is not the correct type. // const auto RPC_NT_WRONG_KIND_OF_BINDING = (cast(NTSTATUS)0xC0020002L); // // MessageId: RPC_NT_INVALID_BINDING // // MessageText: // // The binding handle is invalid. // const auto RPC_NT_INVALID_BINDING = (cast(NTSTATUS)0xC0020003L); // // MessageId: RPC_NT_PROTSEQ_NOT_SUPPORTED // // MessageText: // // The RPC protocol sequence is not supported. // const auto RPC_NT_PROTSEQ_NOT_SUPPORTED = (cast(NTSTATUS)0xC0020004L); // // MessageId: RPC_NT_INVALID_RPC_PROTSEQ // // MessageText: // // The RPC protocol sequence is invalid. // const auto RPC_NT_INVALID_RPC_PROTSEQ = (cast(NTSTATUS)0xC0020005L); // // MessageId: RPC_NT_INVALID_STRING_UUID // // MessageText: // // The string UUID is invalid. // const auto RPC_NT_INVALID_STRING_UUID = (cast(NTSTATUS)0xC0020006L); // // MessageId: RPC_NT_INVALID_ENDPOINT_FORMAT // // MessageText: // // The endpoint format is invalid. // const auto RPC_NT_INVALID_ENDPOINT_FORMAT = (cast(NTSTATUS)0xC0020007L); // // MessageId: RPC_NT_INVALID_NET_ADDR // // MessageText: // // The network address is invalid. // const auto RPC_NT_INVALID_NET_ADDR = (cast(NTSTATUS)0xC0020008L); // // MessageId: RPC_NT_NO_ENDPOINT_FOUND // // MessageText: // // No endpoint was found. // const auto RPC_NT_NO_ENDPOINT_FOUND = (cast(NTSTATUS)0xC0020009L); // // MessageId: RPC_NT_INVALID_TIMEOUT // // MessageText: // // The timeout value is invalid. // const auto RPC_NT_INVALID_TIMEOUT = (cast(NTSTATUS)0xC002000AL); // // MessageId: RPC_NT_OBJECT_NOT_FOUND // // MessageText: // // The object UUID was not found. // const auto RPC_NT_OBJECT_NOT_FOUND = (cast(NTSTATUS)0xC002000BL); // // MessageId: RPC_NT_ALREADY_REGISTERED // // MessageText: // // The object UUID has already been registered. // const auto RPC_NT_ALREADY_REGISTERED = (cast(NTSTATUS)0xC002000CL); // // MessageId: RPC_NT_TYPE_ALREADY_REGISTERED // // MessageText: // // The type UUID has already been registered. // const auto RPC_NT_TYPE_ALREADY_REGISTERED = (cast(NTSTATUS)0xC002000DL); // // MessageId: RPC_NT_ALREADY_LISTENING // // MessageText: // // The RPC server is already listening. // const auto RPC_NT_ALREADY_LISTENING = (cast(NTSTATUS)0xC002000EL); // // MessageId: RPC_NT_NO_PROTSEQS_REGISTERED // // MessageText: // // No protocol sequences have been registered. // const auto RPC_NT_NO_PROTSEQS_REGISTERED = (cast(NTSTATUS)0xC002000FL); // // MessageId: RPC_NT_NOT_LISTENING // // MessageText: // // The RPC server is not listening. // const auto RPC_NT_NOT_LISTENING = (cast(NTSTATUS)0xC0020010L); // // MessageId: RPC_NT_UNKNOWN_MGR_TYPE // // MessageText: // // The manager type is unknown. // const auto RPC_NT_UNKNOWN_MGR_TYPE = (cast(NTSTATUS)0xC0020011L); // // MessageId: RPC_NT_UNKNOWN_IF // // MessageText: // // The interface is unknown. // const auto RPC_NT_UNKNOWN_IF = (cast(NTSTATUS)0xC0020012L); // // MessageId: RPC_NT_NO_BINDINGS // // MessageText: // // There are no bindings. // const auto RPC_NT_NO_BINDINGS = (cast(NTSTATUS)0xC0020013L); // // MessageId: RPC_NT_NO_PROTSEQS // // MessageText: // // There are no protocol sequences. // const auto RPC_NT_NO_PROTSEQS = (cast(NTSTATUS)0xC0020014L); // // MessageId: RPC_NT_CANT_CREATE_ENDPOINT // // MessageText: // // The endpoint cannot be created. // const auto RPC_NT_CANT_CREATE_ENDPOINT = (cast(NTSTATUS)0xC0020015L); // // MessageId: RPC_NT_OUT_OF_RESOURCES // // MessageText: // // Not enough resources are available to complete this operation. // const auto RPC_NT_OUT_OF_RESOURCES = (cast(NTSTATUS)0xC0020016L); // // MessageId: RPC_NT_SERVER_UNAVAILABLE // // MessageText: // // The RPC server is unavailable. // const auto RPC_NT_SERVER_UNAVAILABLE = (cast(NTSTATUS)0xC0020017L); // // MessageId: RPC_NT_SERVER_TOO_BUSY // // MessageText: // // The RPC server is too busy to complete this operation. // const auto RPC_NT_SERVER_TOO_BUSY = (cast(NTSTATUS)0xC0020018L); // // MessageId: RPC_NT_INVALID_NETWORK_OPTIONS // // MessageText: // // The network options are invalid. // const auto RPC_NT_INVALID_NETWORK_OPTIONS = (cast(NTSTATUS)0xC0020019L); // // MessageId: RPC_NT_NO_CALL_ACTIVE // // MessageText: // // There are no remote procedure calls active on this thread. // const auto RPC_NT_NO_CALL_ACTIVE = (cast(NTSTATUS)0xC002001AL); // // MessageId: RPC_NT_CALL_FAILED // // MessageText: // // The remote procedure call failed. // const auto RPC_NT_CALL_FAILED = (cast(NTSTATUS)0xC002001BL); // // MessageId: RPC_NT_CALL_FAILED_DNE // // MessageText: // // The remote procedure call failed and did not execute. // const auto RPC_NT_CALL_FAILED_DNE = (cast(NTSTATUS)0xC002001CL); // // MessageId: RPC_NT_PROTOCOL_ERROR // // MessageText: // // An RPC protocol error occurred. // const auto RPC_NT_PROTOCOL_ERROR = (cast(NTSTATUS)0xC002001DL); // // MessageId: RPC_NT_UNSUPPORTED_TRANS_SYN // // MessageText: // // The transfer syntax is not supported by the RPC server. // const auto RPC_NT_UNSUPPORTED_TRANS_SYN = (cast(NTSTATUS)0xC002001FL); // // MessageId: RPC_NT_UNSUPPORTED_TYPE // // MessageText: // // The type UUID is not supported. // const auto RPC_NT_UNSUPPORTED_TYPE = (cast(NTSTATUS)0xC0020021L); // // MessageId: RPC_NT_INVALID_TAG // // MessageText: // // The tag is invalid. // const auto RPC_NT_INVALID_TAG = (cast(NTSTATUS)0xC0020022L); // // MessageId: RPC_NT_INVALID_BOUND // // MessageText: // // The array bounds are invalid. // const auto RPC_NT_INVALID_BOUND = (cast(NTSTATUS)0xC0020023L); // // MessageId: RPC_NT_NO_ENTRY_NAME // // MessageText: // // The binding does not contain an entry name. // const auto RPC_NT_NO_ENTRY_NAME = (cast(NTSTATUS)0xC0020024L); // // MessageId: RPC_NT_INVALID_NAME_SYNTAX // // MessageText: // // The name syntax is invalid. // const auto RPC_NT_INVALID_NAME_SYNTAX = (cast(NTSTATUS)0xC0020025L); // // MessageId: RPC_NT_UNSUPPORTED_NAME_SYNTAX // // MessageText: // // The name syntax is not supported. // const auto RPC_NT_UNSUPPORTED_NAME_SYNTAX = (cast(NTSTATUS)0xC0020026L); // // MessageId: RPC_NT_UUID_NO_ADDRESS // // MessageText: // // No network address is available to use to construct a UUID. // const auto RPC_NT_UUID_NO_ADDRESS = (cast(NTSTATUS)0xC0020028L); // // MessageId: RPC_NT_DUPLICATE_ENDPOINT // // MessageText: // // The endpoint is a duplicate. // const auto RPC_NT_DUPLICATE_ENDPOINT = (cast(NTSTATUS)0xC0020029L); // // MessageId: RPC_NT_UNKNOWN_AUTHN_TYPE // // MessageText: // // The authentication type is unknown. // const auto RPC_NT_UNKNOWN_AUTHN_TYPE = (cast(NTSTATUS)0xC002002AL); // // MessageId: RPC_NT_MAX_CALLS_TOO_SMALL // // MessageText: // // The maximum number of calls is too small. // const auto RPC_NT_MAX_CALLS_TOO_SMALL = (cast(NTSTATUS)0xC002002BL); // // MessageId: RPC_NT_STRING_TOO_LONG // // MessageText: // // The string is too long. // const auto RPC_NT_STRING_TOO_LONG = (cast(NTSTATUS)0xC002002CL); // // MessageId: RPC_NT_PROTSEQ_NOT_FOUND // // MessageText: // // The RPC protocol sequence was not found. // const auto RPC_NT_PROTSEQ_NOT_FOUND = (cast(NTSTATUS)0xC002002DL); // // MessageId: RPC_NT_PROCNUM_OUT_OF_RANGE // // MessageText: // // The procedure number is out of range. // const auto RPC_NT_PROCNUM_OUT_OF_RANGE = (cast(NTSTATUS)0xC002002EL); // // MessageId: RPC_NT_BINDING_HAS_NO_AUTH // // MessageText: // // The binding does not contain any authentication information. // const auto RPC_NT_BINDING_HAS_NO_AUTH = (cast(NTSTATUS)0xC002002FL); // // MessageId: RPC_NT_UNKNOWN_AUTHN_SERVICE // // MessageText: // // The authentication service is unknown. // const auto RPC_NT_UNKNOWN_AUTHN_SERVICE = (cast(NTSTATUS)0xC0020030L); // // MessageId: RPC_NT_UNKNOWN_AUTHN_LEVEL // // MessageText: // // The authentication level is unknown. // const auto RPC_NT_UNKNOWN_AUTHN_LEVEL = (cast(NTSTATUS)0xC0020031L); // // MessageId: RPC_NT_INVALID_AUTH_IDENTITY // // MessageText: // // The security context is invalid. // const auto RPC_NT_INVALID_AUTH_IDENTITY = (cast(NTSTATUS)0xC0020032L); // // MessageId: RPC_NT_UNKNOWN_AUTHZ_SERVICE // // MessageText: // // The authorization service is unknown. // const auto RPC_NT_UNKNOWN_AUTHZ_SERVICE = (cast(NTSTATUS)0xC0020033L); // // MessageId: EPT_NT_INVALID_ENTRY // // MessageText: // // The entry is invalid. // const auto EPT_NT_INVALID_ENTRY = (cast(NTSTATUS)0xC0020034L); // // MessageId: EPT_NT_CANT_PERFORM_OP // // MessageText: // // The operation cannot be performed. // const auto EPT_NT_CANT_PERFORM_OP = (cast(NTSTATUS)0xC0020035L); // // MessageId: EPT_NT_NOT_REGISTERED // // MessageText: // // There are no more endpoints available from the endpoint mapper. // const auto EPT_NT_NOT_REGISTERED = (cast(NTSTATUS)0xC0020036L); // // MessageId: RPC_NT_NOTHING_TO_EXPORT // // MessageText: // // No interfaces have been exported. // const auto RPC_NT_NOTHING_TO_EXPORT = (cast(NTSTATUS)0xC0020037L); // // MessageId: RPC_NT_INCOMPLETE_NAME // // MessageText: // // The entry name is incomplete. // const auto RPC_NT_INCOMPLETE_NAME = (cast(NTSTATUS)0xC0020038L); // // MessageId: RPC_NT_INVALID_VERS_OPTION // // MessageText: // // The version option is invalid. // const auto RPC_NT_INVALID_VERS_OPTION = (cast(NTSTATUS)0xC0020039L); // // MessageId: RPC_NT_NO_MORE_MEMBERS // // MessageText: // // There are no more members. // const auto RPC_NT_NO_MORE_MEMBERS = (cast(NTSTATUS)0xC002003AL); // // MessageId: RPC_NT_NOT_ALL_OBJS_UNEXPORTED // // MessageText: // // There is nothing to unexport. // const auto RPC_NT_NOT_ALL_OBJS_UNEXPORTED = (cast(NTSTATUS)0xC002003BL); // // MessageId: RPC_NT_INTERFACE_NOT_FOUND // // MessageText: // // The interface was not found. // const auto RPC_NT_INTERFACE_NOT_FOUND = (cast(NTSTATUS)0xC002003CL); // // MessageId: RPC_NT_ENTRY_ALREADY_EXISTS // // MessageText: // // The entry already exists. // const auto RPC_NT_ENTRY_ALREADY_EXISTS = (cast(NTSTATUS)0xC002003DL); // // MessageId: RPC_NT_ENTRY_NOT_FOUND // // MessageText: // // The entry is not found. // const auto RPC_NT_ENTRY_NOT_FOUND = (cast(NTSTATUS)0xC002003EL); // // MessageId: RPC_NT_NAME_SERVICE_UNAVAILABLE // // MessageText: // // The name service is unavailable. // const auto RPC_NT_NAME_SERVICE_UNAVAILABLE = (cast(NTSTATUS)0xC002003FL); // // MessageId: RPC_NT_INVALID_NAF_ID // // MessageText: // // The network address family is invalid. // const auto RPC_NT_INVALID_NAF_ID = (cast(NTSTATUS)0xC0020040L); // // MessageId: RPC_NT_CANNOT_SUPPORT // // MessageText: // // The requested operation is not supported. // const auto RPC_NT_CANNOT_SUPPORT = (cast(NTSTATUS)0xC0020041L); // // MessageId: RPC_NT_NO_CONTEXT_AVAILABLE // // MessageText: // // No security context is available to allow impersonation. // const auto RPC_NT_NO_CONTEXT_AVAILABLE = (cast(NTSTATUS)0xC0020042L); // // MessageId: RPC_NT_INTERNAL_ERROR // // MessageText: // // An internal error occurred in RPC. // const auto RPC_NT_INTERNAL_ERROR = (cast(NTSTATUS)0xC0020043L); // // MessageId: RPC_NT_ZERO_DIVIDE // // MessageText: // // The RPC server attempted an integer divide by zero. // const auto RPC_NT_ZERO_DIVIDE = (cast(NTSTATUS)0xC0020044L); // // MessageId: RPC_NT_ADDRESS_ERROR // // MessageText: // // An addressing error occurred in the RPC server. // const auto RPC_NT_ADDRESS_ERROR = (cast(NTSTATUS)0xC0020045L); // // MessageId: RPC_NT_FP_DIV_ZERO // // MessageText: // // A floating point operation at the RPC server caused a divide by zero. // const auto RPC_NT_FP_DIV_ZERO = (cast(NTSTATUS)0xC0020046L); // // MessageId: RPC_NT_FP_UNDERFLOW // // MessageText: // // A floating point underflow occurred at the RPC server. // const auto RPC_NT_FP_UNDERFLOW = (cast(NTSTATUS)0xC0020047L); // // MessageId: RPC_NT_FP_OVERFLOW // // MessageText: // // A floating point overflow occurred at the RPC server. // const auto RPC_NT_FP_OVERFLOW = (cast(NTSTATUS)0xC0020048L); // // MessageId: RPC_NT_NO_MORE_ENTRIES // // MessageText: // // The list of RPC servers available for auto-handle binding has been exhausted. // const auto RPC_NT_NO_MORE_ENTRIES = (cast(NTSTATUS)0xC0030001L); // // MessageId: RPC_NT_SS_CHAR_TRANS_OPEN_FAIL // // MessageText: // // The file designated by DCERPCCHARTRANS cannot be opened. // const auto RPC_NT_SS_CHAR_TRANS_OPEN_FAIL = (cast(NTSTATUS)0xC0030002L); // // MessageId: RPC_NT_SS_CHAR_TRANS_SHORT_FILE // // MessageText: // // The file containing the character translation table has fewer than 512 bytes. // const auto RPC_NT_SS_CHAR_TRANS_SHORT_FILE = (cast(NTSTATUS)0xC0030003L); // // MessageId: RPC_NT_SS_IN_NULL_CONTEXT // // MessageText: // // A null context handle is passed as an [in] parameter. // const auto RPC_NT_SS_IN_NULL_CONTEXT = (cast(NTSTATUS)0xC0030004L); // // MessageId: RPC_NT_SS_CONTEXT_MISMATCH // // MessageText: // // The context handle does not match any known context handles. // const auto RPC_NT_SS_CONTEXT_MISMATCH = (cast(NTSTATUS)0xC0030005L); // // MessageId: RPC_NT_SS_CONTEXT_DAMAGED // // MessageText: // // The context handle changed during a call. // const auto RPC_NT_SS_CONTEXT_DAMAGED = (cast(NTSTATUS)0xC0030006L); // // MessageId: RPC_NT_SS_HANDLES_MISMATCH // // MessageText: // // The binding handles passed to a remote procedure call do not match. // const auto RPC_NT_SS_HANDLES_MISMATCH = (cast(NTSTATUS)0xC0030007L); // // MessageId: RPC_NT_SS_CANNOT_GET_CALL_HANDLE // // MessageText: // // The stub is unable to get the call handle. // const auto RPC_NT_SS_CANNOT_GET_CALL_HANDLE = (cast(NTSTATUS)0xC0030008L); // // MessageId: RPC_NT_NULL_REF_POINTER // // MessageText: // // A null reference pointer was passed to the stub. // const auto RPC_NT_NULL_REF_POINTER = (cast(NTSTATUS)0xC0030009L); // // MessageId: RPC_NT_ENUM_VALUE_OUT_OF_RANGE // // MessageText: // // The enumeration value is out of range. // const auto RPC_NT_ENUM_VALUE_OUT_OF_RANGE = (cast(NTSTATUS)0xC003000AL); // // MessageId: RPC_NT_BYTE_COUNT_TOO_SMALL // // MessageText: // // The byte count is too small. // const auto RPC_NT_BYTE_COUNT_TOO_SMALL = (cast(NTSTATUS)0xC003000BL); // // MessageId: RPC_NT_BAD_STUB_DATA // // MessageText: // // The stub received bad data. // const auto RPC_NT_BAD_STUB_DATA = (cast(NTSTATUS)0xC003000CL); // // MessageId: RPC_NT_CALL_IN_PROGRESS // // MessageText: // // A remote procedure call is already in progress for this thread. // const auto RPC_NT_CALL_IN_PROGRESS = (cast(NTSTATUS)0xC0020049L); // // MessageId: RPC_NT_NO_MORE_BINDINGS // // MessageText: // // There are no more bindings. // const auto RPC_NT_NO_MORE_BINDINGS = (cast(NTSTATUS)0xC002004AL); // // MessageId: RPC_NT_GROUP_MEMBER_NOT_FOUND // // MessageText: // // The group member was not found. // const auto RPC_NT_GROUP_MEMBER_NOT_FOUND = (cast(NTSTATUS)0xC002004BL); // // MessageId: EPT_NT_CANT_CREATE // // MessageText: // // The endpoint mapper database entry could not be created. // const auto EPT_NT_CANT_CREATE = (cast(NTSTATUS)0xC002004CL); // // MessageId: RPC_NT_INVALID_OBJECT // // MessageText: // // The object UUID is the nil UUID. // const auto RPC_NT_INVALID_OBJECT = (cast(NTSTATUS)0xC002004DL); // // MessageId: RPC_NT_NO_INTERFACES // // MessageText: // // No interfaces have been registered. // const auto RPC_NT_NO_INTERFACES = (cast(NTSTATUS)0xC002004FL); // // MessageId: RPC_NT_CALL_CANCELLED // // MessageText: // // The remote procedure call was cancelled. // const auto RPC_NT_CALL_CANCELLED = (cast(NTSTATUS)0xC0020050L); // // MessageId: RPC_NT_BINDING_INCOMPLETE // // MessageText: // // The binding handle does not contain all required information. // const auto RPC_NT_BINDING_INCOMPLETE = (cast(NTSTATUS)0xC0020051L); // // MessageId: RPC_NT_COMM_FAILURE // // MessageText: // // A communications failure occurred during a remote procedure call. // const auto RPC_NT_COMM_FAILURE = (cast(NTSTATUS)0xC0020052L); // // MessageId: RPC_NT_UNSUPPORTED_AUTHN_LEVEL // // MessageText: // // The requested authentication level is not supported. // const auto RPC_NT_UNSUPPORTED_AUTHN_LEVEL = (cast(NTSTATUS)0xC0020053L); // // MessageId: RPC_NT_NO_PRINC_NAME // // MessageText: // // No principal name registered. // const auto RPC_NT_NO_PRINC_NAME = (cast(NTSTATUS)0xC0020054L); // // MessageId: RPC_NT_NOT_RPC_ERROR // // MessageText: // // The error specified is not a valid Windows RPC error code. // const auto RPC_NT_NOT_RPC_ERROR = (cast(NTSTATUS)0xC0020055L); // // MessageId: RPC_NT_UUID_LOCAL_ONLY // // MessageText: // // A UUID that is valid only on this computer has been allocated. // const auto RPC_NT_UUID_LOCAL_ONLY = (cast(NTSTATUS)0x40020056L); // // MessageId: RPC_NT_SEC_PKG_ERROR // // MessageText: // // A security package specific error occurred. // const auto RPC_NT_SEC_PKG_ERROR = (cast(NTSTATUS)0xC0020057L); // // MessageId: RPC_NT_NOT_CANCELLED // // MessageText: // // Thread is not cancelled. // const auto RPC_NT_NOT_CANCELLED = (cast(NTSTATUS)0xC0020058L); // // MessageId: RPC_NT_INVALID_ES_ACTION // // MessageText: // // Invalid operation on the encoding/decoding handle. // const auto RPC_NT_INVALID_ES_ACTION = (cast(NTSTATUS)0xC0030059L); // // MessageId: RPC_NT_WRONG_ES_VERSION // // MessageText: // // Incompatible version of the serializing package. // const auto RPC_NT_WRONG_ES_VERSION = (cast(NTSTATUS)0xC003005AL); // // MessageId: RPC_NT_WRONG_STUB_VERSION // // MessageText: // // Incompatible version of the RPC stub. // const auto RPC_NT_WRONG_STUB_VERSION = (cast(NTSTATUS)0xC003005BL); // // MessageId: RPC_NT_INVALID_PIPE_OBJECT // // MessageText: // // The RPC pipe object is invalid or corrupted. // const auto RPC_NT_INVALID_PIPE_OBJECT = (cast(NTSTATUS)0xC003005CL); // // MessageId: RPC_NT_INVALID_PIPE_OPERATION // // MessageText: // // An invalid operation was attempted on an RPC pipe object. // const auto RPC_NT_INVALID_PIPE_OPERATION = (cast(NTSTATUS)0xC003005DL); // // MessageId: RPC_NT_WRONG_PIPE_VERSION // // MessageText: // // Unsupported RPC pipe version. // const auto RPC_NT_WRONG_PIPE_VERSION = (cast(NTSTATUS)0xC003005EL); // // MessageId: RPC_NT_PIPE_CLOSED // // MessageText: // // The RPC pipe object has already been closed. // const auto RPC_NT_PIPE_CLOSED = (cast(NTSTATUS)0xC003005FL); // // MessageId: RPC_NT_PIPE_DISCIPLINE_ERROR // // MessageText: // // The RPC call completed before all pipes were processed. // const auto RPC_NT_PIPE_DISCIPLINE_ERROR = (cast(NTSTATUS)0xC0030060L); // // MessageId: RPC_NT_PIPE_EMPTY // // MessageText: // // No more data is available from the RPC pipe. // const auto RPC_NT_PIPE_EMPTY = (cast(NTSTATUS)0xC0030061L); // // MessageId: RPC_NT_INVALID_ASYNC_HANDLE // // MessageText: // // Invalid asynchronous remote procedure call handle. // const auto RPC_NT_INVALID_ASYNC_HANDLE = (cast(NTSTATUS)0xC0020062L); // // MessageId: RPC_NT_INVALID_ASYNC_CALL // // MessageText: // // Invalid asynchronous RPC call handle for this operation. // const auto RPC_NT_INVALID_ASYNC_CALL = (cast(NTSTATUS)0xC0020063L); // // MessageId: RPC_NT_PROXY_ACCESS_DENIED // // MessageText: // // Access to the HTTP proxy is denied. // const auto RPC_NT_PROXY_ACCESS_DENIED = (cast(NTSTATUS)0xC0020064L); // // MessageId: RPC_NT_SEND_INCOMPLETE // // MessageText: // // Some data remains to be sent in the request buffer. // const auto RPC_NT_SEND_INCOMPLETE = (cast(NTSTATUS)0x400200AFL); // // ACPI error values // // // MessageId: STATUS_ACPI_INVALID_OPCODE // // MessageText: // // An attempt was made to run an invalid AML opcode // const auto STATUS_ACPI_INVALID_OPCODE = (cast(NTSTATUS)0xC0140001L); // // MessageId: STATUS_ACPI_STACK_OVERFLOW // // MessageText: // // The AML Interpreter Stack has overflowed // const auto STATUS_ACPI_STACK_OVERFLOW = (cast(NTSTATUS)0xC0140002L); // // MessageId: STATUS_ACPI_ASSERT_FAILED // // MessageText: // // An inconsistent state has occurred // const auto STATUS_ACPI_ASSERT_FAILED = (cast(NTSTATUS)0xC0140003L); // // MessageId: STATUS_ACPI_INVALID_INDEX // // MessageText: // // An attempt was made to access an array outside of its bounds // const auto STATUS_ACPI_INVALID_INDEX = (cast(NTSTATUS)0xC0140004L); // // MessageId: STATUS_ACPI_INVALID_ARGUMENT // // MessageText: // // A required argument was not specified // const auto STATUS_ACPI_INVALID_ARGUMENT = (cast(NTSTATUS)0xC0140005L); // // MessageId: STATUS_ACPI_FATAL // // MessageText: // // A fatal error has occurred // const auto STATUS_ACPI_FATAL = (cast(NTSTATUS)0xC0140006L); // // MessageId: STATUS_ACPI_INVALID_SUPERNAME // // MessageText: // // An invalid SuperName was specified // const auto STATUS_ACPI_INVALID_SUPERNAME = (cast(NTSTATUS)0xC0140007L); // // MessageId: STATUS_ACPI_INVALID_ARGTYPE // // MessageText: // // An argument with an incorrect type was specified // const auto STATUS_ACPI_INVALID_ARGTYPE = (cast(NTSTATUS)0xC0140008L); // // MessageId: STATUS_ACPI_INVALID_OBJTYPE // // MessageText: // // An object with an incorrect type was specified // const auto STATUS_ACPI_INVALID_OBJTYPE = (cast(NTSTATUS)0xC0140009L); // // MessageId: STATUS_ACPI_INVALID_TARGETTYPE // // MessageText: // // A target with an incorrect type was specified // const auto STATUS_ACPI_INVALID_TARGETTYPE = (cast(NTSTATUS)0xC014000AL); // // MessageId: STATUS_ACPI_INCORRECT_ARGUMENT_COUNT // // MessageText: // // An incorrect number of arguments were specified // const auto STATUS_ACPI_INCORRECT_ARGUMENT_COUNT = (cast(NTSTATUS)0xC014000BL); // // MessageId: STATUS_ACPI_ADDRESS_NOT_MAPPED // // MessageText: // // An address failed to translate // const auto STATUS_ACPI_ADDRESS_NOT_MAPPED = (cast(NTSTATUS)0xC014000CL); // // MessageId: STATUS_ACPI_INVALID_EVENTTYPE // // MessageText: // // An incorrect event type was specified // const auto STATUS_ACPI_INVALID_EVENTTYPE = (cast(NTSTATUS)0xC014000DL); // // MessageId: STATUS_ACPI_HANDLER_COLLISION // // MessageText: // // A handler for the target already exists // const auto STATUS_ACPI_HANDLER_COLLISION = (cast(NTSTATUS)0xC014000EL); // // MessageId: STATUS_ACPI_INVALID_DATA // // MessageText: // // Invalid data for the target was specified // const auto STATUS_ACPI_INVALID_DATA = (cast(NTSTATUS)0xC014000FL); // // MessageId: STATUS_ACPI_INVALID_REGION // // MessageText: // // An invalid region for the target was specified // const auto STATUS_ACPI_INVALID_REGION = (cast(NTSTATUS)0xC0140010L); // // MessageId: STATUS_ACPI_INVALID_ACCESS_SIZE // // MessageText: // // An attempt was made to access a field outside of the defined range // const auto STATUS_ACPI_INVALID_ACCESS_SIZE = (cast(NTSTATUS)0xC0140011L); // // MessageId: STATUS_ACPI_ACQUIRE_GLOBAL_LOCK // // MessageText: // // The Global system lock could not be acquired // const auto STATUS_ACPI_ACQUIRE_GLOBAL_LOCK = (cast(NTSTATUS)0xC0140012L); // // MessageId: STATUS_ACPI_ALREADY_INITIALIZED // // MessageText: // // An attempt was made to reinitialize the ACPI subsystem // const auto STATUS_ACPI_ALREADY_INITIALIZED = (cast(NTSTATUS)0xC0140013L); // // MessageId: STATUS_ACPI_NOT_INITIALIZED // // MessageText: // // The ACPI subsystem has not been initialized // const auto STATUS_ACPI_NOT_INITIALIZED = (cast(NTSTATUS)0xC0140014L); // // MessageId: STATUS_ACPI_INVALID_MUTEX_LEVEL // // MessageText: // // An incorrect mutex was specified // const auto STATUS_ACPI_INVALID_MUTEX_LEVEL = (cast(NTSTATUS)0xC0140015L); // // MessageId: STATUS_ACPI_MUTEX_NOT_OWNED // // MessageText: // // The mutex is not currently owned // const auto STATUS_ACPI_MUTEX_NOT_OWNED = (cast(NTSTATUS)0xC0140016L); // // MessageId: STATUS_ACPI_MUTEX_NOT_OWNER // // MessageText: // // An attempt was made to access the mutex by a process that was not the owner // const auto STATUS_ACPI_MUTEX_NOT_OWNER = (cast(NTSTATUS)0xC0140017L); // // MessageId: STATUS_ACPI_RS_ACCESS // // MessageText: // // An error occurred during an access to Region Space // const auto STATUS_ACPI_RS_ACCESS = (cast(NTSTATUS)0xC0140018L); // // MessageId: STATUS_ACPI_INVALID_TABLE // // MessageText: // // An attempt was made to use an incorrect table // const auto STATUS_ACPI_INVALID_TABLE = (cast(NTSTATUS)0xC0140019L); // // MessageId: STATUS_ACPI_REG_HANDLER_FAILED // // MessageText: // // The registration of an ACPI event failed // const auto STATUS_ACPI_REG_HANDLER_FAILED = (cast(NTSTATUS)0xC0140020L); // // MessageId: STATUS_ACPI_POWER_REQUEST_FAILED // // MessageText: // // An ACPI Power Object failed to transition state // const auto STATUS_ACPI_POWER_REQUEST_FAILED = (cast(NTSTATUS)0xC0140021L); // // Terminal Server specific Errors // // // MessageId: STATUS_CTX_WINSTATION_NAME_INVALID // // MessageText: // // Session name %1 is invalid. // const auto STATUS_CTX_WINSTATION_NAME_INVALID = (cast(NTSTATUS)0xC00A0001L); // // MessageId: STATUS_CTX_INVALID_PD // // MessageText: // // The protocol driver %1 is invalid. // const auto STATUS_CTX_INVALID_PD = (cast(NTSTATUS)0xC00A0002L); // // MessageId: STATUS_CTX_PD_NOT_FOUND // // MessageText: // // The protocol driver %1 was not found in the system path. // const auto STATUS_CTX_PD_NOT_FOUND = (cast(NTSTATUS)0xC00A0003L); // // MessageId: STATUS_CTX_CDM_CONNECT // // MessageText: // // The Client Drive Mapping Service Has Connected on Terminal Connection. // const auto STATUS_CTX_CDM_CONNECT = (cast(NTSTATUS)0x400A0004L); // // MessageId: STATUS_CTX_CDM_DISCONNECT // // MessageText: // // The Client Drive Mapping Service Has Disconnected on Terminal Connection. // const auto STATUS_CTX_CDM_DISCONNECT = (cast(NTSTATUS)0x400A0005L); // // MessageId: STATUS_CTX_CLOSE_PENDING // // MessageText: // // A close operation is pending on the Terminal Connection. // const auto STATUS_CTX_CLOSE_PENDING = (cast(NTSTATUS)0xC00A0006L); // // MessageId: STATUS_CTX_NO_OUTBUF // // MessageText: // // There are no free output buffers available. // const auto STATUS_CTX_NO_OUTBUF = (cast(NTSTATUS)0xC00A0007L); // // MessageId: STATUS_CTX_MODEM_INF_NOT_FOUND // // MessageText: // // The MODEM.INF file was not found. // const auto STATUS_CTX_MODEM_INF_NOT_FOUND = (cast(NTSTATUS)0xC00A0008L); // // MessageId: STATUS_CTX_INVALID_MODEMNAME // // MessageText: // // The modem (%1) was not found in MODEM.INF. // const auto STATUS_CTX_INVALID_MODEMNAME = (cast(NTSTATUS)0xC00A0009L); // // MessageId: STATUS_CTX_RESPONSE_ERROR // // MessageText: // // The modem did not accept the command sent to it. // Verify the configured modem name matches the attached modem. // const auto STATUS_CTX_RESPONSE_ERROR = (cast(NTSTATUS)0xC00A000AL); // // MessageId: STATUS_CTX_MODEM_RESPONSE_TIMEOUT // // MessageText: // // The modem did not respond to the command sent to it. // Verify the modem is properly cabled and powered on. // const auto STATUS_CTX_MODEM_RESPONSE_TIMEOUT = (cast(NTSTATUS)0xC00A000BL); // // MessageId: STATUS_CTX_MODEM_RESPONSE_NO_CARRIER // // MessageText: // // Carrier detect has failed or carrier has been dropped due to disconnect. // const auto STATUS_CTX_MODEM_RESPONSE_NO_CARRIER = (cast(NTSTATUS)0xC00A000CL); // // MessageId: STATUS_CTX_MODEM_RESPONSE_NO_DIALTONE // // MessageText: // // Dial tone not detected within required time. // Verify phone cable is properly attached and functional. // const auto STATUS_CTX_MODEM_RESPONSE_NO_DIALTONE = (cast(NTSTATUS)0xC00A000DL); // // MessageId: STATUS_CTX_MODEM_RESPONSE_BUSY // // MessageText: // // Busy signal detected at remote site on callback. // const auto STATUS_CTX_MODEM_RESPONSE_BUSY = (cast(NTSTATUS)0xC00A000EL); // // MessageId: STATUS_CTX_MODEM_RESPONSE_VOICE // // MessageText: // // Voice detected at remote site on callback. // const auto STATUS_CTX_MODEM_RESPONSE_VOICE = (cast(NTSTATUS)0xC00A000FL); // // MessageId: STATUS_CTX_TD_ERROR // // MessageText: // // Transport driver error // const auto STATUS_CTX_TD_ERROR = (cast(NTSTATUS)0xC00A0010L); // // MessageId: STATUS_CTX_LICENSE_CLIENT_INVALID // // MessageText: // // The client you are using is not licensed to use this system. Your logon request is denied. // const auto STATUS_CTX_LICENSE_CLIENT_INVALID = (cast(NTSTATUS)0xC00A0012L); // // MessageId: STATUS_CTX_LICENSE_NOT_AVAILABLE // // MessageText: // // The system has reached its licensed logon limit. // Please try again later. // const auto STATUS_CTX_LICENSE_NOT_AVAILABLE = (cast(NTSTATUS)0xC00A0013L); // // MessageId: STATUS_CTX_LICENSE_EXPIRED // // MessageText: // // The system license has expired. Your logon request is denied. // const auto STATUS_CTX_LICENSE_EXPIRED = (cast(NTSTATUS)0xC00A0014L); // // MessageId: STATUS_CTX_WINSTATION_NOT_FOUND // // MessageText: // // The specified session cannot be found. // const auto STATUS_CTX_WINSTATION_NOT_FOUND = (cast(NTSTATUS)0xC00A0015L); // // MessageId: STATUS_CTX_WINSTATION_NAME_COLLISION // // MessageText: // // The specified session name is already in use. // const auto STATUS_CTX_WINSTATION_NAME_COLLISION = (cast(NTSTATUS)0xC00A0016L); // // MessageId: STATUS_CTX_WINSTATION_BUSY // // MessageText: // // The requested operation cannot be completed because the Terminal Connection is currently busy processing a connect, disconnect, reset, or delete operation. // const auto STATUS_CTX_WINSTATION_BUSY = (cast(NTSTATUS)0xC00A0017L); // // MessageId: STATUS_CTX_BAD_VIDEO_MODE // // MessageText: // // An attempt has been made to connect to a session whose video mode is not supported by the current client. // const auto STATUS_CTX_BAD_VIDEO_MODE = (cast(NTSTATUS)0xC00A0018L); // // MessageId: STATUS_CTX_GRAPHICS_INVALID // // MessageText: // // The application attempted to enable DOS graphics mode. // DOS graphics mode is not supported. // const auto STATUS_CTX_GRAPHICS_INVALID = (cast(NTSTATUS)0xC00A0022L); // // MessageId: STATUS_CTX_NOT_CONSOLE // // MessageText: // // The requested operation can be performed only on the system console. // This is most often the result of a driver or system DLL requiring direct console access. // const auto STATUS_CTX_NOT_CONSOLE = (cast(NTSTATUS)0xC00A0024L); // // MessageId: STATUS_CTX_CLIENT_QUERY_TIMEOUT // // MessageText: // // The client failed to respond to the server connect message. // const auto STATUS_CTX_CLIENT_QUERY_TIMEOUT = (cast(NTSTATUS)0xC00A0026L); // // MessageId: STATUS_CTX_CONSOLE_DISCONNECT // // MessageText: // // Disconnecting the console session is not supported. // const auto STATUS_CTX_CONSOLE_DISCONNECT = (cast(NTSTATUS)0xC00A0027L); // // MessageId: STATUS_CTX_CONSOLE_CONNECT // // MessageText: // // Reconnecting a disconnected session to the console is not supported. // const auto STATUS_CTX_CONSOLE_CONNECT = (cast(NTSTATUS)0xC00A0028L); // // MessageId: STATUS_CTX_SHADOW_DENIED // // MessageText: // // The request to control another session remotely was denied. // const auto STATUS_CTX_SHADOW_DENIED = (cast(NTSTATUS)0xC00A002AL); // // MessageId: STATUS_CTX_WINSTATION_ACCESS_DENIED // // MessageText: // // A process has requested access to a session, but has not been granted those access rights. // const auto STATUS_CTX_WINSTATION_ACCESS_DENIED = (cast(NTSTATUS)0xC00A002BL); // // MessageId: STATUS_CTX_INVALID_WD // // MessageText: // // The Terminal Connection driver %1 is invalid. // const auto STATUS_CTX_INVALID_WD = (cast(NTSTATUS)0xC00A002EL); // // MessageId: STATUS_CTX_WD_NOT_FOUND // // MessageText: // // The Terminal Connection driver %1 was not found in the system path. // const auto STATUS_CTX_WD_NOT_FOUND = (cast(NTSTATUS)0xC00A002FL); // // MessageId: STATUS_CTX_SHADOW_INVALID // // MessageText: // // The requested session cannot be controlled remotely. // You cannot control your own session, a session that is trying to control your session, // a session that has no user logged on, nor control other sessions from the console. // const auto STATUS_CTX_SHADOW_INVALID = (cast(NTSTATUS)0xC00A0030L); // // MessageId: STATUS_CTX_SHADOW_DISABLED // // MessageText: // // The requested session is not configured to allow remote control. // const auto STATUS_CTX_SHADOW_DISABLED = (cast(NTSTATUS)0xC00A0031L); // // MessageId: STATUS_RDP_PROTOCOL_ERROR // // MessageText: // // The RDP protocol component %2 detected an error in the protocol stream and has disconnected the client. // const auto STATUS_RDP_PROTOCOL_ERROR = (cast(NTSTATUS)0xC00A0032L); // // MessageId: STATUS_CTX_CLIENT_LICENSE_NOT_SET // // MessageText: // // Your request to connect to this Terminal server has been rejected. // Your Terminal Server Client license number has not been entered for this copy of the Terminal Client. // Please call your system administrator for help in entering a valid, unique license number for this Terminal Server Client. // Click OK to continue. // const auto STATUS_CTX_CLIENT_LICENSE_NOT_SET = (cast(NTSTATUS)0xC00A0033L); // // MessageId: STATUS_CTX_CLIENT_LICENSE_IN_USE // // MessageText: // // Your request to connect to this Terminal server has been rejected. // Your Terminal Server Client license number is currently being used by another user. // Please call your system administrator to obtain a new copy of the Terminal Server Client with a valid, unique license number. // Click OK to continue. // const auto STATUS_CTX_CLIENT_LICENSE_IN_USE = (cast(NTSTATUS)0xC00A0034L); // // MessageId: STATUS_CTX_SHADOW_ENDED_BY_MODE_CHANGE // // MessageText: // // The remote control of the console was terminated because the display mode was changed. Changing the display mode in a remote control session is not supported. // const auto STATUS_CTX_SHADOW_ENDED_BY_MODE_CHANGE = (cast(NTSTATUS)0xC00A0035L); // // MessageId: STATUS_CTX_SHADOW_NOT_RUNNING // // MessageText: // // Remote control could not be terminated because the specified session is not currently being remotely controlled. // const auto STATUS_CTX_SHADOW_NOT_RUNNING = (cast(NTSTATUS)0xC00A0036L); // // MessageId: STATUS_CTX_LOGON_DISABLED // // MessageText: // // Your interactive logon privilege has been disabled. // Please contact your system administrator. // const auto STATUS_CTX_LOGON_DISABLED = (cast(NTSTATUS)0xC00A0037L); // // MessageId: STATUS_CTX_SECURITY_LAYER_ERROR // // MessageText: // // The Terminal Server security layer detected an error in the protocol stream and has disconnected the client. // const auto STATUS_CTX_SECURITY_LAYER_ERROR = (cast(NTSTATUS)0xC00A0038L); // // MessageId: STATUS_TS_INCOMPATIBLE_SESSIONS // // MessageText: // // The target session is incompatible with the current session. // const auto STATUS_TS_INCOMPATIBLE_SESSIONS = (cast(NTSTATUS)0xC00A0039L); // // IO error values // // // MessageId: STATUS_PNP_BAD_MPS_TABLE // // MessageText: // // A device is missing in the system BIOS MPS table. This device will not be used. // Please contact your system vendor for system BIOS update. // const auto STATUS_PNP_BAD_MPS_TABLE = (cast(NTSTATUS)0xC0040035L); // // MessageId: STATUS_PNP_TRANSLATION_FAILED // // MessageText: // // A translator failed to translate resources. // const auto STATUS_PNP_TRANSLATION_FAILED = (cast(NTSTATUS)0xC0040036L); // // MessageId: STATUS_PNP_IRQ_TRANSLATION_FAILED // // MessageText: // // A IRQ translator failed to translate resources. // const auto STATUS_PNP_IRQ_TRANSLATION_FAILED = (cast(NTSTATUS)0xC0040037L); // // MessageId: STATUS_PNP_INVALID_ID // // MessageText: // // Driver %2 returned invalid ID for a child device (%3). // const auto STATUS_PNP_INVALID_ID = (cast(NTSTATUS)0xC0040038L); // // MessageId: STATUS_IO_REISSUE_AS_CACHED // // MessageText: // // Reissue the given operation as a cached IO operation // const auto STATUS_IO_REISSUE_AS_CACHED = (cast(NTSTATUS)0xC0040039L); // // MUI error values // // // MessageId: STATUS_MUI_FILE_NOT_FOUND // // MessageText: // // The resource loader failed to find MUI file. // const auto STATUS_MUI_FILE_NOT_FOUND = (cast(NTSTATUS)0xC00B0001L); // // MessageId: STATUS_MUI_INVALID_FILE // // MessageText: // // The resource loader failed to load MUI file because the file fail to pass validation. // const auto STATUS_MUI_INVALID_FILE = (cast(NTSTATUS)0xC00B0002L); // // MessageId: STATUS_MUI_INVALID_RC_CONFIG // // MessageText: // // The RC Manifest is corrupted with garbage data or unsupported version or missing required item. // const auto STATUS_MUI_INVALID_RC_CONFIG = (cast(NTSTATUS)0xC00B0003L); // // MessageId: STATUS_MUI_INVALID_LOCALE_NAME // // MessageText: // // The RC Manifest has invalid culture name. // const auto STATUS_MUI_INVALID_LOCALE_NAME = (cast(NTSTATUS)0xC00B0004L); // // MessageId: STATUS_MUI_INVALID_ULTIMATEFALLBACK_NAME // // MessageText: // // The RC Manifest has invalid ultimatefallback name. // const auto STATUS_MUI_INVALID_ULTIMATEFALLBACK_NAME = (cast(NTSTATUS)0xC00B0005L); // // MessageId: STATUS_MUI_FILE_NOT_LOADED // // MessageText: // // The resource loader cache doesn't have loaded MUI entry. // const auto STATUS_MUI_FILE_NOT_LOADED = (cast(NTSTATUS)0xC00B0006L); // // MessageId: STATUS_RESOURCE_ENUM_USER_STOP // // MessageText: // // User stopped resource enumeration. // const auto STATUS_RESOURCE_ENUM_USER_STOP = (cast(NTSTATUS)0xC00B0007L); // // Filter Manager error values // // // Translation macro for converting: // HRESULT --> NTSTATUS // //const auto FILTER_FLT_NTSTATUS_FROM_HRESULT(x) = (cast(NTSTATUS) (((x) & 0xC0007FFF) | (FACILITY_FILTER_MANAGER << 16) | 0x40000000)); // // MessageId: STATUS_FLT_NO_HANDLER_DEFINED // // MessageText: // // A handler was not defined by the filter for this operation. // const auto STATUS_FLT_NO_HANDLER_DEFINED = (cast(NTSTATUS)0xC01C0001L); // // MessageId: STATUS_FLT_CONTEXT_ALREADY_DEFINED // // MessageText: // // A context is already defined for this object. // const auto STATUS_FLT_CONTEXT_ALREADY_DEFINED = (cast(NTSTATUS)0xC01C0002L); // // MessageId: STATUS_FLT_INVALID_ASYNCHRONOUS_REQUEST // // MessageText: // // Asynchronous requests are not valid for this operation. // const auto STATUS_FLT_INVALID_ASYNCHRONOUS_REQUEST = (cast(NTSTATUS)0xC01C0003L); // // MessageId: STATUS_FLT_DISALLOW_FAST_IO // // MessageText: // // Internal error code used by the filter manager to determine if a fastio operation // should be forced down the IRP path. Mini-filters should never return this value. // const auto STATUS_FLT_DISALLOW_FAST_IO = (cast(NTSTATUS)0xC01C0004L); // // MessageId: STATUS_FLT_INVALID_NAME_REQUEST // // MessageText: // // An invalid name request was made. The name requested cannot be retrieved at this time. // const auto STATUS_FLT_INVALID_NAME_REQUEST = (cast(NTSTATUS)0xC01C0005L); // // MessageId: STATUS_FLT_NOT_SAFE_TO_POST_OPERATION // // MessageText: // // Posting this operation to a worker thread for further processing is not safe // at this time because it could lead to a system deadlock. // const auto STATUS_FLT_NOT_SAFE_TO_POST_OPERATION = (cast(NTSTATUS)0xC01C0006L); // // MessageId: STATUS_FLT_NOT_INITIALIZED // // MessageText: // // The Filter Manager was not initialized when a filter tried to register. Make // sure that the Filter Manager is getting loaded as a driver. // const auto STATUS_FLT_NOT_INITIALIZED = (cast(NTSTATUS)0xC01C0007L); // // MessageId: STATUS_FLT_FILTER_NOT_READY // // MessageText: // // The filter is not ready for attachment to volumes because it has not finished // initializing (FltStartFiltering has not been called). // const auto STATUS_FLT_FILTER_NOT_READY = (cast(NTSTATUS)0xC01C0008L); // // MessageId: STATUS_FLT_POST_OPERATION_CLEANUP // // MessageText: // // The filter must cleanup any operation specific context at this time because // it is being removed from the system before the operation is completed by // the lower drivers. // const auto STATUS_FLT_POST_OPERATION_CLEANUP = (cast(NTSTATUS)0xC01C0009L); // // MessageId: STATUS_FLT_INTERNAL_ERROR // // MessageText: // // The Filter Manager had an internal error from which it cannot recover, // therefore the operation has been failed. This is usually the result // of a filter returning an invalid value from a pre-operation callback. // const auto STATUS_FLT_INTERNAL_ERROR = (cast(NTSTATUS)0xC01C000AL); // // MessageId: STATUS_FLT_DELETING_OBJECT // // MessageText: // // The object specified for this action is in the process of being // deleted, therefore the action requested cannot be completed at // this time. // const auto STATUS_FLT_DELETING_OBJECT = (cast(NTSTATUS)0xC01C000BL); // // MessageId: STATUS_FLT_MUST_BE_NONPAGED_POOL // // MessageText: // // Non-paged pool must be used for this type of context. // const auto STATUS_FLT_MUST_BE_NONPAGED_POOL = (cast(NTSTATUS)0xC01C000CL); // // MessageId: STATUS_FLT_DUPLICATE_ENTRY // // MessageText: // // A duplicate handler definition has been provided for an operation. // const auto STATUS_FLT_DUPLICATE_ENTRY = (cast(NTSTATUS)0xC01C000DL); // // MessageId: STATUS_FLT_CBDQ_DISABLED // // MessageText: // // The callback data queue has been disabled. // const auto STATUS_FLT_CBDQ_DISABLED = (cast(NTSTATUS)0xC01C000EL); // // MessageId: STATUS_FLT_DO_NOT_ATTACH // // MessageText: // // Do not attach the filter to the volume at this time. // const auto STATUS_FLT_DO_NOT_ATTACH = (cast(NTSTATUS)0xC01C000FL); // // MessageId: STATUS_FLT_DO_NOT_DETACH // // MessageText: // // Do not detach the filter from the volume at this time. // const auto STATUS_FLT_DO_NOT_DETACH = (cast(NTSTATUS)0xC01C0010L); // // MessageId: STATUS_FLT_INSTANCE_ALTITUDE_COLLISION // // MessageText: // // An instance already exists at this altitude on the volume specified. // const auto STATUS_FLT_INSTANCE_ALTITUDE_COLLISION = (cast(NTSTATUS)0xC01C0011L); // // MessageId: STATUS_FLT_INSTANCE_NAME_COLLISION // // MessageText: // // An instance already exists with this name on the volume specified. // const auto STATUS_FLT_INSTANCE_NAME_COLLISION = (cast(NTSTATUS)0xC01C0012L); // // MessageId: STATUS_FLT_FILTER_NOT_FOUND // // MessageText: // // The system could not find the filter specified. // const auto STATUS_FLT_FILTER_NOT_FOUND = (cast(NTSTATUS)0xC01C0013L); // // MessageId: STATUS_FLT_VOLUME_NOT_FOUND // // MessageText: // // The system could not find the volume specified. // const auto STATUS_FLT_VOLUME_NOT_FOUND = (cast(NTSTATUS)0xC01C0014L); // // MessageId: STATUS_FLT_INSTANCE_NOT_FOUND // // MessageText: // // The system could not find the instance specified. // const auto STATUS_FLT_INSTANCE_NOT_FOUND = (cast(NTSTATUS)0xC01C0015L); // // MessageId: STATUS_FLT_CONTEXT_ALLOCATION_NOT_FOUND // // MessageText: // // No registered context allocation definition was found for the given request. // const auto STATUS_FLT_CONTEXT_ALLOCATION_NOT_FOUND = (cast(NTSTATUS)0xC01C0016L); // // MessageId: STATUS_FLT_INVALID_CONTEXT_REGISTRATION // // MessageText: // // An invalid parameter was specified during context registration. // const auto STATUS_FLT_INVALID_CONTEXT_REGISTRATION = (cast(NTSTATUS)0xC01C0017L); // // MessageId: STATUS_FLT_NAME_CACHE_MISS // // MessageText: // // The name requested was not found in Filter Manager's name cache and could not be retrieved from the file system. // const auto STATUS_FLT_NAME_CACHE_MISS = (cast(NTSTATUS)0xC01C0018L); // // MessageId: STATUS_FLT_NO_DEVICE_OBJECT // // MessageText: // // The requested device object does not exist for the given volume. // const auto STATUS_FLT_NO_DEVICE_OBJECT = (cast(NTSTATUS)0xC01C0019L); // // MessageId: STATUS_FLT_VOLUME_ALREADY_MOUNTED // // MessageText: // // The specified volume is already mounted. // const auto STATUS_FLT_VOLUME_ALREADY_MOUNTED = (cast(NTSTATUS)0xC01C001AL); // // MessageId: STATUS_FLT_ALREADY_ENLISTED // // MessageText: // // The specified Transaction Context is already enlisted in a transaction // const auto STATUS_FLT_ALREADY_ENLISTED = (cast(NTSTATUS)0xC01C001BL); // // MessageId: STATUS_FLT_CONTEXT_ALREADY_LINKED // // MessageText: // // The specifiec context is already attached to another object // const auto STATUS_FLT_CONTEXT_ALREADY_LINKED = (cast(NTSTATUS)0xC01C001CL); // // MessageId: STATUS_FLT_NO_WAITER_FOR_REPLY // // MessageText: // // No waiter is present for the filter's reply to this message. // const auto STATUS_FLT_NO_WAITER_FOR_REPLY = (cast(NTSTATUS)0xC01C0020L); // // Side-by-side (SXS) error values // // // MessageId: STATUS_SXS_SECTION_NOT_FOUND // // MessageText: // // The requested section is not present in the activation context. // const auto STATUS_SXS_SECTION_NOT_FOUND = (cast(NTSTATUS)0xC0150001L); // // MessageId: STATUS_SXS_CANT_GEN_ACTCTX // // MessageText: // // Windows was not able to process the application binding information. // Please refer to your System Event Log for further information. // const auto STATUS_SXS_CANT_GEN_ACTCTX = (cast(NTSTATUS)0xC0150002L); // // MessageId: STATUS_SXS_INVALID_ACTCTXDATA_FORMAT // // MessageText: // // The application binding data format is invalid. // const auto STATUS_SXS_INVALID_ACTCTXDATA_FORMAT = (cast(NTSTATUS)0xC0150003L); // // MessageId: STATUS_SXS_ASSEMBLY_NOT_FOUND // // MessageText: // // The referenced assembly is not installed on your system. // const auto STATUS_SXS_ASSEMBLY_NOT_FOUND = (cast(NTSTATUS)0xC0150004L); // // MessageId: STATUS_SXS_MANIFEST_FORMAT_ERROR // // MessageText: // // The manifest file does not begin with the required tag and format information. // const auto STATUS_SXS_MANIFEST_FORMAT_ERROR = (cast(NTSTATUS)0xC0150005L); // // MessageId: STATUS_SXS_MANIFEST_PARSE_ERROR // // MessageText: // // The manifest file contains one or more syntax errors. // const auto STATUS_SXS_MANIFEST_PARSE_ERROR = (cast(NTSTATUS)0xC0150006L); // // MessageId: STATUS_SXS_ACTIVATION_CONTEXT_DISABLED // // MessageText: // // The application attempted to activate a disabled activation context. // const auto STATUS_SXS_ACTIVATION_CONTEXT_DISABLED = (cast(NTSTATUS)0xC0150007L); // // MessageId: STATUS_SXS_KEY_NOT_FOUND // // MessageText: // // The requested lookup key was not found in any active activation context. // const auto STATUS_SXS_KEY_NOT_FOUND = (cast(NTSTATUS)0xC0150008L); // // MessageId: STATUS_SXS_VERSION_CONFLICT // // MessageText: // // A component version required by the application conflicts with another component version already active. // const auto STATUS_SXS_VERSION_CONFLICT = (cast(NTSTATUS)0xC0150009L); // // MessageId: STATUS_SXS_WRONG_SECTION_TYPE // // MessageText: // // The type requested activation context section does not match the query API used. // const auto STATUS_SXS_WRONG_SECTION_TYPE = (cast(NTSTATUS)0xC015000AL); // // MessageId: STATUS_SXS_THREAD_QUERIES_DISABLED // // MessageText: // // Lack of system resources has required isolated activation to be disabled for the current thread of execution. // const auto STATUS_SXS_THREAD_QUERIES_DISABLED = (cast(NTSTATUS)0xC015000BL); // // MessageId: STATUS_SXS_ASSEMBLY_MISSING // // MessageText: // // The referenced assembly could not be found. // const auto STATUS_SXS_ASSEMBLY_MISSING = (cast(NTSTATUS)0xC015000CL); // // MessageId: STATUS_SXS_RELEASE_ACTIVATION_CONTEXT // // MessageText: // // A kernel mode component is releasing a reference on an activation context. // const auto STATUS_SXS_RELEASE_ACTIVATION_CONTEXT = (cast(NTSTATUS)0x4015000DL); // // MessageId: STATUS_SXS_PROCESS_DEFAULT_ALREADY_SET // // MessageText: // // An attempt to set the process default activation context failed because the process default activation context was already set. // const auto STATUS_SXS_PROCESS_DEFAULT_ALREADY_SET = (cast(NTSTATUS)0xC015000EL); // // MessageId: STATUS_SXS_EARLY_DEACTIVATION // // MessageText: // // The activation context being deactivated is not the most recently activated one. // const auto STATUS_SXS_EARLY_DEACTIVATION = (cast(NTSTATUS)0xC015000FL) ; // winnt // // MessageId: STATUS_SXS_INVALID_DEACTIVATION // // MessageText: // // The activation context being deactivated is not active for the current thread of execution. // const auto STATUS_SXS_INVALID_DEACTIVATION = (cast(NTSTATUS)0xC0150010L) ; // winnt // // MessageId: STATUS_SXS_MULTIPLE_DEACTIVATION // // MessageText: // // The activation context being deactivated has already been deactivated. // const auto STATUS_SXS_MULTIPLE_DEACTIVATION = (cast(NTSTATUS)0xC0150011L); // // MessageId: STATUS_SXS_SYSTEM_DEFAULT_ACTIVATION_CONTEXT_EMPTY // // MessageText: // // The activation context of system default assembly could not be generated. // const auto STATUS_SXS_SYSTEM_DEFAULT_ACTIVATION_CONTEXT_EMPTY = (cast(NTSTATUS)0xC0150012L); // // MessageId: STATUS_SXS_PROCESS_TERMINATION_REQUESTED // // MessageText: // // A component used by the isolation facility has requested to terminate the process. // const auto STATUS_SXS_PROCESS_TERMINATION_REQUESTED = (cast(NTSTATUS)0xC0150013L); // // MessageId: STATUS_SXS_CORRUPT_ACTIVATION_STACK // // MessageText: // // The activation context activation stack for the running thread of execution is corrupt. // const auto STATUS_SXS_CORRUPT_ACTIVATION_STACK = (cast(NTSTATUS)0xC0150014L); // // MessageId: STATUS_SXS_CORRUPTION // // MessageText: // // The application isolation metadata for this process or thread has become corrupt. // const auto STATUS_SXS_CORRUPTION = (cast(NTSTATUS)0xC0150015L); // // MessageId: STATUS_SXS_INVALID_IDENTITY_ATTRIBUTE_VALUE // // MessageText: // // The value of an attribute in an identity is not within the legal range. // const auto STATUS_SXS_INVALID_IDENTITY_ATTRIBUTE_VALUE = (cast(NTSTATUS)0xC0150016L); // // MessageId: STATUS_SXS_INVALID_IDENTITY_ATTRIBUTE_NAME // // MessageText: // // The name of an attribute in an identity is not within the legal range. // const auto STATUS_SXS_INVALID_IDENTITY_ATTRIBUTE_NAME = (cast(NTSTATUS)0xC0150017L); // // MessageId: STATUS_SXS_IDENTITY_DUPLICATE_ATTRIBUTE // // MessageText: // // An identity contains two definitions for the same attribute. // const auto STATUS_SXS_IDENTITY_DUPLICATE_ATTRIBUTE = (cast(NTSTATUS)0xC0150018L); // // MessageId: STATUS_SXS_IDENTITY_PARSE_ERROR // // MessageText: // // The identity string is malformed. This may be due to a trailing comma, more than two unnamed attributes, missing attribute name or missing attribute value. // const auto STATUS_SXS_IDENTITY_PARSE_ERROR = (cast(NTSTATUS)0xC0150019L); // // MessageId: STATUS_SXS_COMPONENT_STORE_CORRUPT // // MessageText: // // The component store has been corrupted. // const auto STATUS_SXS_COMPONENT_STORE_CORRUPT = (cast(NTSTATUS)0xC015001AL); // // MessageId: STATUS_SXS_FILE_HASH_MISMATCH // // MessageText: // // A component's file does not match the verification information present in the component manifest. // const auto STATUS_SXS_FILE_HASH_MISMATCH = (cast(NTSTATUS)0xC015001BL); // // MessageId: STATUS_SXS_MANIFEST_IDENTITY_SAME_BUT_CONTENTS_DIFFERENT // // MessageText: // // The identities of the manifests are identical but their contents are different. // const auto STATUS_SXS_MANIFEST_IDENTITY_SAME_BUT_CONTENTS_DIFFERENT = (cast(NTSTATUS)0xC015001CL); // // MessageId: STATUS_SXS_IDENTITIES_DIFFERENT // // MessageText: // // The component identities are different. // const auto STATUS_SXS_IDENTITIES_DIFFERENT = (cast(NTSTATUS)0xC015001DL); // // MessageId: STATUS_SXS_ASSEMBLY_IS_NOT_A_DEPLOYMENT // // MessageText: // // The assembly is not a deployment. // const auto STATUS_SXS_ASSEMBLY_IS_NOT_A_DEPLOYMENT = (cast(NTSTATUS)0xC015001EL); // // MessageId: STATUS_SXS_FILE_NOT_PART_OF_ASSEMBLY // // MessageText: // // The file is not a part of the assembly. // const auto STATUS_SXS_FILE_NOT_PART_OF_ASSEMBLY = (cast(NTSTATUS)0xC015001FL); // // MessageId: STATUS_ADVANCED_INSTALLER_FAILED // // MessageText: // // An advanced installer failed during setup or servicing. // const auto STATUS_ADVANCED_INSTALLER_FAILED = (cast(NTSTATUS)0xC0150020L); // // MessageId: STATUS_XML_ENCODING_MISMATCH // // MessageText: // // The character encoding in the XML declaration did not match the encoding used in the document. // const auto STATUS_XML_ENCODING_MISMATCH = (cast(NTSTATUS)0xC0150021L); // // MessageId: STATUS_SXS_MANIFEST_TOO_BIG // // MessageText: // // The size of the manifest exceeds the maximum allowed. // const auto STATUS_SXS_MANIFEST_TOO_BIG = (cast(NTSTATUS)0xC0150022L); // // MessageId: STATUS_SXS_SETTING_NOT_REGISTERED // // MessageText: // // The setting is not registered. // const auto STATUS_SXS_SETTING_NOT_REGISTERED = (cast(NTSTATUS)0xC0150023L); // // MessageId: STATUS_SXS_TRANSACTION_CLOSURE_INCOMPLETE // // MessageText: // // One or more required members of the transaction are not present. // const auto STATUS_SXS_TRANSACTION_CLOSURE_INCOMPLETE = (cast(NTSTATUS)0xC0150024L); // // MessageId: STATUS_SMI_PRIMITIVE_INSTALLER_FAILED // // MessageText: // // The SMI primitive installer failed during setup or servicing. // const auto STATUS_SMI_PRIMITIVE_INSTALLER_FAILED = (cast(NTSTATUS)0xC0150025L); // // MessageId: STATUS_GENERIC_COMMAND_FAILED // // MessageText: // // A generic command executable returned a result that indicates failure. // const auto STATUS_GENERIC_COMMAND_FAILED = (cast(NTSTATUS)0xC0150026L); // // MessageId: STATUS_SXS_FILE_HASH_MISSING // // MessageText: // // A component is missing file verification information in its manifest. // const auto STATUS_SXS_FILE_HASH_MISSING = (cast(NTSTATUS)0xC0150027L); // // Cluster error values // // // MessageId: STATUS_CLUSTER_INVALID_NODE // // MessageText: // // The cluster node is not valid. // const auto STATUS_CLUSTER_INVALID_NODE = (cast(NTSTATUS)0xC0130001L); // // MessageId: STATUS_CLUSTER_NODE_EXISTS // // MessageText: // // The cluster node already exists. // const auto STATUS_CLUSTER_NODE_EXISTS = (cast(NTSTATUS)0xC0130002L); // // MessageId: STATUS_CLUSTER_JOIN_IN_PROGRESS // // MessageText: // // A node is in the process of joining the cluster. // const auto STATUS_CLUSTER_JOIN_IN_PROGRESS = (cast(NTSTATUS)0xC0130003L); // // MessageId: STATUS_CLUSTER_NODE_NOT_FOUND // // MessageText: // // The cluster node was not found. // const auto STATUS_CLUSTER_NODE_NOT_FOUND = (cast(NTSTATUS)0xC0130004L); // // MessageId: STATUS_CLUSTER_LOCAL_NODE_NOT_FOUND // // MessageText: // // The cluster local node information was not found. // const auto STATUS_CLUSTER_LOCAL_NODE_NOT_FOUND = (cast(NTSTATUS)0xC0130005L); // // MessageId: STATUS_CLUSTER_NETWORK_EXISTS // // MessageText: // // The cluster network already exists. // const auto STATUS_CLUSTER_NETWORK_EXISTS = (cast(NTSTATUS)0xC0130006L); // // MessageId: STATUS_CLUSTER_NETWORK_NOT_FOUND // // MessageText: // // The cluster network was not found. // const auto STATUS_CLUSTER_NETWORK_NOT_FOUND = (cast(NTSTATUS)0xC0130007L); // // MessageId: STATUS_CLUSTER_NETINTERFACE_EXISTS // // MessageText: // // The cluster network interface already exists. // const auto STATUS_CLUSTER_NETINTERFACE_EXISTS = (cast(NTSTATUS)0xC0130008L); // // MessageId: STATUS_CLUSTER_NETINTERFACE_NOT_FOUND // // MessageText: // // The cluster network interface was not found. // const auto STATUS_CLUSTER_NETINTERFACE_NOT_FOUND = (cast(NTSTATUS)0xC0130009L); // // MessageId: STATUS_CLUSTER_INVALID_REQUEST // // MessageText: // // The cluster request is not valid for this object. // const auto STATUS_CLUSTER_INVALID_REQUEST = (cast(NTSTATUS)0xC013000AL); // // MessageId: STATUS_CLUSTER_INVALID_NETWORK_PROVIDER // // MessageText: // // The cluster network provider is not valid. // const auto STATUS_CLUSTER_INVALID_NETWORK_PROVIDER = (cast(NTSTATUS)0xC013000BL); // // MessageId: STATUS_CLUSTER_NODE_DOWN // // MessageText: // // The cluster node is down. // const auto STATUS_CLUSTER_NODE_DOWN = (cast(NTSTATUS)0xC013000CL); // // MessageId: STATUS_CLUSTER_NODE_UNREACHABLE // // MessageText: // // The cluster node is not reachable. // const auto STATUS_CLUSTER_NODE_UNREACHABLE = (cast(NTSTATUS)0xC013000DL); // // MessageId: STATUS_CLUSTER_NODE_NOT_MEMBER // // MessageText: // // The cluster node is not a member of the cluster. // const auto STATUS_CLUSTER_NODE_NOT_MEMBER = (cast(NTSTATUS)0xC013000EL); // // MessageId: STATUS_CLUSTER_JOIN_NOT_IN_PROGRESS // // MessageText: // // A cluster join operation is not in progress. // const auto STATUS_CLUSTER_JOIN_NOT_IN_PROGRESS = (cast(NTSTATUS)0xC013000FL); // // MessageId: STATUS_CLUSTER_INVALID_NETWORK // // MessageText: // // The cluster network is not valid. // const auto STATUS_CLUSTER_INVALID_NETWORK = (cast(NTSTATUS)0xC0130010L); // // MessageId: STATUS_CLUSTER_NO_NET_ADAPTERS // // MessageText: // // No network adapters are available. // const auto STATUS_CLUSTER_NO_NET_ADAPTERS = (cast(NTSTATUS)0xC0130011L); // // MessageId: STATUS_CLUSTER_NODE_UP // // MessageText: // // The cluster node is up. // const auto STATUS_CLUSTER_NODE_UP = (cast(NTSTATUS)0xC0130012L); // // MessageId: STATUS_CLUSTER_NODE_PAUSED // // MessageText: // // The cluster node is paused. // const auto STATUS_CLUSTER_NODE_PAUSED = (cast(NTSTATUS)0xC0130013L); // // MessageId: STATUS_CLUSTER_NODE_NOT_PAUSED // // MessageText: // // The cluster node is not paused. // const auto STATUS_CLUSTER_NODE_NOT_PAUSED = (cast(NTSTATUS)0xC0130014L); // // MessageId: STATUS_CLUSTER_NO_SECURITY_CONTEXT // // MessageText: // // No cluster security context is available. // const auto STATUS_CLUSTER_NO_SECURITY_CONTEXT = (cast(NTSTATUS)0xC0130015L); // // MessageId: STATUS_CLUSTER_NETWORK_NOT_INTERNAL // // MessageText: // // The cluster network is not configured for internal cluster communication. // const auto STATUS_CLUSTER_NETWORK_NOT_INTERNAL = (cast(NTSTATUS)0xC0130016L); // // MessageId: STATUS_CLUSTER_POISONED // // MessageText: // // The cluster node has been poisoned. // const auto STATUS_CLUSTER_POISONED = (cast(NTSTATUS)0xC0130017L); // // Transaction Manager error values // // // MessageId: STATUS_TRANSACTIONAL_CONFLICT // // MessageText: // // The function attempted to use a name that is reserved for use by another transaction. // const auto STATUS_TRANSACTIONAL_CONFLICT = (cast(NTSTATUS)0xC0190001L); // // MessageId: STATUS_INVALID_TRANSACTION // // MessageText: // // The transaction handle associated with this operation is not valid. // const auto STATUS_INVALID_TRANSACTION = (cast(NTSTATUS)0xC0190002L); // // MessageId: STATUS_TRANSACTION_NOT_ACTIVE // // MessageText: // // The requested operation was made in the context of a transaction that is no longer active. // const auto STATUS_TRANSACTION_NOT_ACTIVE = (cast(NTSTATUS)0xC0190003L); // // MessageId: STATUS_TM_INITIALIZATION_FAILED // // MessageText: // // The Transaction Manager was unable to be successfully initialized. Transacted operations are not supported. // const auto STATUS_TM_INITIALIZATION_FAILED = (cast(NTSTATUS)0xC0190004L); // // MessageId: STATUS_RM_NOT_ACTIVE // // MessageText: // // Transaction support within the specified file system resource manager is not started or was shutdown due to an error. // const auto STATUS_RM_NOT_ACTIVE = (cast(NTSTATUS)0xC0190005L); // // MessageId: STATUS_RM_METADATA_CORRUPT // // MessageText: // // The metadata of the RM has been corrupted. The RM will not function. // const auto STATUS_RM_METADATA_CORRUPT = (cast(NTSTATUS)0xC0190006L); // // MessageId: STATUS_TRANSACTION_NOT_JOINED // // MessageText: // // The resource manager has attempted to prepare a transaction that it has not successfully joined. // const auto STATUS_TRANSACTION_NOT_JOINED = (cast(NTSTATUS)0xC0190007L); // // MessageId: STATUS_DIRECTORY_NOT_RM // // MessageText: // // The specified directory does not contain a file system resource manager. // const auto STATUS_DIRECTORY_NOT_RM = (cast(NTSTATUS)0xC0190008L); // // MessageId: STATUS_COULD_NOT_RESIZE_LOG // // MessageText: // // The log could not be set to the requested size. // const auto STATUS_COULD_NOT_RESIZE_LOG = (cast(NTSTATUS)0x80190009L); // // MessageId: STATUS_TRANSACTIONS_UNSUPPORTED_REMOTE // // MessageText: // // The remote server or share does not support transacted file operations. // const auto STATUS_TRANSACTIONS_UNSUPPORTED_REMOTE = (cast(NTSTATUS)0xC019000AL); // // MessageId: STATUS_LOG_RESIZE_INVALID_SIZE // // MessageText: // // The requested log size for the file system resource manager is invalid. // const auto STATUS_LOG_RESIZE_INVALID_SIZE = (cast(NTSTATUS)0xC019000BL); // // MessageId: STATUS_REMOTE_FILE_VERSION_MISMATCH // // MessageText: // // The remote server sent mismatching version number or Fid for a file opened with transactions. // const auto STATUS_REMOTE_FILE_VERSION_MISMATCH = (cast(NTSTATUS)0xC019000CL); // // MessageId: STATUS_CRM_PROTOCOL_ALREADY_EXISTS // // MessageText: // // The RM tried to register a protocol that already exists. // const auto STATUS_CRM_PROTOCOL_ALREADY_EXISTS = (cast(NTSTATUS)0xC019000FL); // // MessageId: STATUS_TRANSACTION_PROPAGATION_FAILED // // MessageText: // // The attempt to propagate the Transaction failed. // const auto STATUS_TRANSACTION_PROPAGATION_FAILED = (cast(NTSTATUS)0xC0190010L); // // MessageId: STATUS_CRM_PROTOCOL_NOT_FOUND // // MessageText: // // The requested propagation protocol was not registered as a CRM. // const auto STATUS_CRM_PROTOCOL_NOT_FOUND = (cast(NTSTATUS)0xC0190011L); // // MessageId: STATUS_TRANSACTION_SUPERIOR_EXISTS // // MessageText: // // The Transaction object already has a superior enlistment, and the caller attempted an operation that would have created a new superior. Only a single superior enlistment is allowed. // const auto STATUS_TRANSACTION_SUPERIOR_EXISTS = (cast(NTSTATUS)0xC0190012L); // // MessageId: STATUS_TRANSACTION_REQUEST_NOT_VALID // // MessageText: // // The requested operation is not valid on the Transaction object in its current state. // const auto STATUS_TRANSACTION_REQUEST_NOT_VALID = (cast(NTSTATUS)0xC0190013L); // // MessageId: STATUS_TRANSACTION_NOT_REQUESTED // // MessageText: // // The caller has called a response API, but the response is not expected because the TM did not issue the corresponding request to the caller. // const auto STATUS_TRANSACTION_NOT_REQUESTED = (cast(NTSTATUS)0xC0190014L); // // MessageId: STATUS_TRANSACTION_ALREADY_ABORTED // // MessageText: // // It is too late to perform the requested operation, since the Transaction has already been aborted. // const auto STATUS_TRANSACTION_ALREADY_ABORTED = (cast(NTSTATUS)0xC0190015L); // // MessageId: STATUS_TRANSACTION_ALREADY_COMMITTED // // MessageText: // // It is too late to perform the requested operation, since the Transaction has already been committed. // const auto STATUS_TRANSACTION_ALREADY_COMMITTED = (cast(NTSTATUS)0xC0190016L); // // MessageId: STATUS_TRANSACTION_INVALID_MARSHALL_BUFFER // // MessageText: // // The buffer passed in to NtPushTransaction or NtPullTransaction is not in a valid format. // const auto STATUS_TRANSACTION_INVALID_MARSHALL_BUFFER = (cast(NTSTATUS)0xC0190017L); // // MessageId: STATUS_CURRENT_TRANSACTION_NOT_VALID // // MessageText: // // The current transaction context associated with the thread is not a valid handle to a transaction object. // const auto STATUS_CURRENT_TRANSACTION_NOT_VALID = (cast(NTSTATUS)0xC0190018L); // // MessageId: STATUS_LOG_GROWTH_FAILED // // MessageText: // // An attempt to create space in the transactional resource manager's log failed. The failure status has been recorded in the event log. // const auto STATUS_LOG_GROWTH_FAILED = (cast(NTSTATUS)0xC0190019L); // // MessageId: STATUS_OBJECT_NO_LONGER_EXISTS // // MessageText: // // The object (file, stream, link) corresponding to the handle has been deleted by a transaction savepoint rollback. // const auto STATUS_OBJECT_NO_LONGER_EXISTS = (cast(NTSTATUS)0xC0190021L); // // MessageId: STATUS_STREAM_MINIVERSION_NOT_FOUND // // MessageText: // // The specified file miniversion was not found for this transacted file open. // const auto STATUS_STREAM_MINIVERSION_NOT_FOUND = (cast(NTSTATUS)0xC0190022L); // // MessageId: STATUS_STREAM_MINIVERSION_NOT_VALID // // MessageText: // // The specified file miniversion was found but has been invalidated. Most likely cause is a transaction savepoint rollback. // const auto STATUS_STREAM_MINIVERSION_NOT_VALID = (cast(NTSTATUS)0xC0190023L); // // MessageId: STATUS_MINIVERSION_INACCESSIBLE_FROM_SPECIFIED_TRANSACTION // // MessageText: // // A miniversion may only be opened in the context of the transaction that created it. // const auto STATUS_MINIVERSION_INACCESSIBLE_FROM_SPECIFIED_TRANSACTION = (cast(NTSTATUS)0xC0190024L); // // MessageId: STATUS_CANT_OPEN_MINIVERSION_WITH_MODIFY_INTENT // // MessageText: // // It is not possible to open a miniversion with modify access. // const auto STATUS_CANT_OPEN_MINIVERSION_WITH_MODIFY_INTENT = (cast(NTSTATUS)0xC0190025L); // // MessageId: STATUS_CANT_CREATE_MORE_STREAM_MINIVERSIONS // // MessageText: // // It is not possible to create any more miniversions for this stream. // const auto STATUS_CANT_CREATE_MORE_STREAM_MINIVERSIONS = (cast(NTSTATUS)0xC0190026L); // // MessageId: STATUS_HANDLE_NO_LONGER_VALID // // MessageText: // // The handle has been invalidated by a transaction. The most likely cause is the presence of memory mapping on a file or an open handle when the transaction ended or rolled back to savepoint. // const auto STATUS_HANDLE_NO_LONGER_VALID = (cast(NTSTATUS)0xC0190028L); // // MessageId: STATUS_NO_TXF_METADATA // // MessageText: // // There is no transaction metadata on the file. // const auto STATUS_NO_TXF_METADATA = (cast(NTSTATUS)0x80190029L); // // MessageId: STATUS_LOG_CORRUPTION_DETECTED // // MessageText: // // The log data is corrupt. // const auto STATUS_LOG_CORRUPTION_DETECTED = (cast(NTSTATUS)0xC0190030L); // // MessageId: STATUS_CANT_RECOVER_WITH_HANDLE_OPEN // // MessageText: // // The file can't be recovered because there is a handle still open on it. // const auto STATUS_CANT_RECOVER_WITH_HANDLE_OPEN = (cast(NTSTATUS)0x80190031L); // // MessageId: STATUS_RM_DISCONNECTED // // MessageText: // // The transaction outcome is unavailable because the resource manager responsible for it has disconnected. // const auto STATUS_RM_DISCONNECTED = (cast(NTSTATUS)0xC0190032L); // // MessageId: STATUS_ENLISTMENT_NOT_SUPERIOR // // MessageText: // // The request was rejected because the enlistment in question is not a superior enlistment. // const auto STATUS_ENLISTMENT_NOT_SUPERIOR = (cast(NTSTATUS)0xC0190033L); // // MessageId: STATUS_RECOVERY_NOT_NEEDED // // MessageText: // // The transactional resource manager is already consistent. Recovery is not needed. // const auto STATUS_RECOVERY_NOT_NEEDED = (cast(NTSTATUS)0x40190034L); // // MessageId: STATUS_RM_ALREADY_STARTED // // MessageText: // // The transactional resource manager has already been started. // const auto STATUS_RM_ALREADY_STARTED = (cast(NTSTATUS)0x40190035L); // // MessageId: STATUS_FILE_IDENTITY_NOT_PERSISTENT // // MessageText: // // The file cannot be opened transactionally, because its identity depends on the outcome of an unresolved transaction. // const auto STATUS_FILE_IDENTITY_NOT_PERSISTENT = (cast(NTSTATUS)0xC0190036L); // // MessageId: STATUS_CANT_BREAK_TRANSACTIONAL_DEPENDENCY // // MessageText: // // The operation cannot be performed because another transaction is depending on the fact that this property will not change. // const auto STATUS_CANT_BREAK_TRANSACTIONAL_DEPENDENCY = (cast(NTSTATUS)0xC0190037L); // // MessageId: STATUS_CANT_CROSS_RM_BOUNDARY // // MessageText: // // The operation would involve a single file with two transactional resource managers and is therefore not allowed. // const auto STATUS_CANT_CROSS_RM_BOUNDARY = (cast(NTSTATUS)0xC0190038L); // // MessageId: STATUS_TXF_DIR_NOT_EMPTY // // MessageText: // // The $Txf directory must be empty for this operation to succeed. // const auto STATUS_TXF_DIR_NOT_EMPTY = (cast(NTSTATUS)0xC0190039L); // // MessageId: STATUS_INDOUBT_TRANSACTIONS_EXIST // // MessageText: // // The operation would leave a transactional resource manager in an inconsistent state and is therefore not allowed. // const auto STATUS_INDOUBT_TRANSACTIONS_EXIST = (cast(NTSTATUS)0xC019003AL); // // MessageId: STATUS_TM_VOLATILE // // MessageText: // // The operation could not be completed because the transaction manager does not have a log. // const auto STATUS_TM_VOLATILE = (cast(NTSTATUS)0xC019003BL); // // MessageId: STATUS_ROLLBACK_TIMER_EXPIRED // // MessageText: // // A rollback could not be scheduled because a previously scheduled rollback has already executed or been queued for execution. // const auto STATUS_ROLLBACK_TIMER_EXPIRED = (cast(NTSTATUS)0xC019003CL); // // MessageId: STATUS_TXF_ATTRIBUTE_CORRUPT // // MessageText: // // The transactional metadata attribute on the file or directory %hs is corrupt and unreadable. // const auto STATUS_TXF_ATTRIBUTE_CORRUPT = (cast(NTSTATUS)0xC019003DL); // // MessageId: STATUS_EFS_NOT_ALLOWED_IN_TRANSACTION // // MessageText: // // The encryption operation could not be completed because a transaction is active. // const auto STATUS_EFS_NOT_ALLOWED_IN_TRANSACTION = (cast(NTSTATUS)0xC019003EL); // // MessageId: STATUS_TRANSACTIONAL_OPEN_NOT_ALLOWED // // MessageText: // // This object is not allowed to be opened in a transaction. // const auto STATUS_TRANSACTIONAL_OPEN_NOT_ALLOWED = (cast(NTSTATUS)0xC019003FL); // // MessageId: STATUS_TRANSACTED_MAPPING_UNSUPPORTED_REMOTE // // MessageText: // // Memory mapping (creating a mapped section) a remote file under a transaction is not supported. // const auto STATUS_TRANSACTED_MAPPING_UNSUPPORTED_REMOTE = (cast(NTSTATUS)0xC0190040L); // // MessageId: STATUS_TXF_METADATA_ALREADY_PRESENT // // MessageText: // // Transaction metadata is already present on this file and cannot be superseded. // const auto STATUS_TXF_METADATA_ALREADY_PRESENT = (cast(NTSTATUS)0x80190041L); // // MessageId: STATUS_TRANSACTION_SCOPE_CALLBACKS_NOT_SET // // MessageText: // // A transaction scope could not be entered because the scope handler has not been initialized. // const auto STATUS_TRANSACTION_SCOPE_CALLBACKS_NOT_SET = (cast(NTSTATUS)0x80190042L); // // MessageId: STATUS_TRANSACTION_REQUIRED_PROMOTION // // MessageText: // // Promotion was required in order to allow the resource manager to enlist, but the transaction was set to disallow it. // const auto STATUS_TRANSACTION_REQUIRED_PROMOTION = (cast(NTSTATUS)0xC0190043L); // // MessageId: STATUS_CANNOT_EXECUTE_FILE_IN_TRANSACTION // // MessageText: // // This file is open for modification in an unresolved transaction and may be opened for execute only by a transacted reader. // const auto STATUS_CANNOT_EXECUTE_FILE_IN_TRANSACTION = (cast(NTSTATUS)0xC0190044L); // // MessageId: STATUS_TRANSACTIONS_NOT_FROZEN // // MessageText: // // The request to thaw frozen transactions was ignored because transactions had not previously been frozen. // const auto STATUS_TRANSACTIONS_NOT_FROZEN = (cast(NTSTATUS)0xC0190045L); // // MessageId: STATUS_TRANSACTION_FREEZE_IN_PROGRESS // // MessageText: // // Transactions cannot be frozen because a freeze is already in progress. // const auto STATUS_TRANSACTION_FREEZE_IN_PROGRESS = (cast(NTSTATUS)0xC0190046L); // // MessageId: STATUS_NOT_SNAPSHOT_VOLUME // // MessageText: // // The target volume is not a snapshot volume. This operation is only valid on a volume mounted as a snapshot. // const auto STATUS_NOT_SNAPSHOT_VOLUME = (cast(NTSTATUS)0xC0190047L); // // MessageId: STATUS_NO_SAVEPOINT_WITH_OPEN_FILES // // MessageText: // // The savepoint operation failed because files are open on the transaction. This is not permitted. // const auto STATUS_NO_SAVEPOINT_WITH_OPEN_FILES = (cast(NTSTATUS)0xC0190048L); // // MessageId: STATUS_SPARSE_NOT_ALLOWED_IN_TRANSACTION // // MessageText: // // The sparse operation could not be completed because a transaction is active on the file. // const auto STATUS_SPARSE_NOT_ALLOWED_IN_TRANSACTION = (cast(NTSTATUS)0xC0190049L); // // MessageId: STATUS_TM_IDENTITY_MISMATCH // // MessageText: // // The call to create a TransactionManager object failed because the Tm Identity stored in the logfile does not match the Tm Identity that was passed in as an argument. // const auto STATUS_TM_IDENTITY_MISMATCH = (cast(NTSTATUS)0xC019004AL); // // MessageId: STATUS_FLOATED_SECTION // // MessageText: // // I/O was attempted on a section object that has been floated as a result of a transaction ending. There is no valid data. // const auto STATUS_FLOATED_SECTION = (cast(NTSTATUS)0xC019004BL); // // MessageId: STATUS_CANNOT_ACCEPT_TRANSACTED_WORK // // MessageText: // // The transactional resource manager cannot currently accept transacted work due to a transient condition such as low resources. // const auto STATUS_CANNOT_ACCEPT_TRANSACTED_WORK = (cast(NTSTATUS)0xC019004CL); // // MessageId: STATUS_CANNOT_ABORT_TRANSACTIONS // // MessageText: // // The transactional resource manager had too many tranactions outstanding that could not be aborted. The transactional resource manger has been shut down. // const auto STATUS_CANNOT_ABORT_TRANSACTIONS = (cast(NTSTATUS)0xC019004DL); // // MessageId: STATUS_TRANSACTION_NOT_FOUND // // MessageText: // // The specified Transaction was unable to be opened, because it was not found. // const auto STATUS_TRANSACTION_NOT_FOUND = (cast(NTSTATUS)0xC019004EL); // // MessageId: STATUS_RESOURCEMANAGER_NOT_FOUND // // MessageText: // // The specified ResourceManager was unable to be opened, because it was not found. // const auto STATUS_RESOURCEMANAGER_NOT_FOUND = (cast(NTSTATUS)0xC019004FL); // // MessageId: STATUS_ENLISTMENT_NOT_FOUND // // MessageText: // // The specified Enlistment was unable to be opened, because it was not found. // const auto STATUS_ENLISTMENT_NOT_FOUND = (cast(NTSTATUS)0xC0190050L); // // MessageId: STATUS_TRANSACTIONMANAGER_NOT_FOUND // // MessageText: // // The specified TransactionManager was unable to be opened, because it was not found. // const auto STATUS_TRANSACTIONMANAGER_NOT_FOUND = (cast(NTSTATUS)0xC0190051L); // // MessageId: STATUS_TRANSACTIONMANAGER_NOT_ONLINE // // MessageText: // // The specified ResourceManager was unable to create an enlistment, because its associated TransactionManager is not online. // const auto STATUS_TRANSACTIONMANAGER_NOT_ONLINE = (cast(NTSTATUS)0xC0190052L); // // MessageId: STATUS_TRANSACTIONMANAGER_RECOVERY_NAME_COLLISION // // MessageText: // // The specified TransactionManager was unable to create the objects contained in its logfile in the Ob namespace. Therefore, the TransactionManager was unable to recover. // const auto STATUS_TRANSACTIONMANAGER_RECOVERY_NAME_COLLISION = (cast(NTSTATUS)0xC0190053L); // // MessageId: STATUS_TRANSACTION_NOT_ROOT // // MessageText: // // The call to create a superior Enlistment on this Transaction object could not be completed, because the Transaction object specified for the enlistment is a subordinate branch of the Transaction. Only the root of the Transactoin can be enlisted on as a superior. // const auto STATUS_TRANSACTION_NOT_ROOT = (cast(NTSTATUS)0xC0190054L); // // MessageId: STATUS_TRANSACTION_OBJECT_EXPIRED // // MessageText: // // Because the associated transaction manager or resource manager has been closed, the handle is no longer valid. // const auto STATUS_TRANSACTION_OBJECT_EXPIRED = (cast(NTSTATUS)0xC0190055L); // // MessageId: STATUS_COMPRESSION_NOT_ALLOWED_IN_TRANSACTION // // MessageText: // // The compression operation could not be completed because a transaction is active on the file. // const auto STATUS_COMPRESSION_NOT_ALLOWED_IN_TRANSACTION = (cast(NTSTATUS)0xC0190056L); // // MessageId: STATUS_TRANSACTION_RESPONSE_NOT_ENLISTED // // MessageText: // // The specified operation could not be performed on this Superior enlistment, because the enlistment was not created with the corresponding completion response in the NotificationMask. // const auto STATUS_TRANSACTION_RESPONSE_NOT_ENLISTED = (cast(NTSTATUS)0xC0190057L); // // MessageId: STATUS_TRANSACTION_RECORD_TOO_LONG // // MessageText: // // The specified operation could not be performed, because the record that would be logged was too long. This can occur because of two conditions: either there are too many Enlistments on this Transaction, or the combined RecoveryInformation being logged on behalf of those Enlistments is too long. // const auto STATUS_TRANSACTION_RECORD_TOO_LONG = (cast(NTSTATUS)0xC0190058L); // // MessageId: STATUS_NO_LINK_TRACKING_IN_TRANSACTION // // MessageText: // // The link tracking operation could not be completed because a transaction is active. // const auto STATUS_NO_LINK_TRACKING_IN_TRANSACTION = (cast(NTSTATUS)0xC0190059L); // // MessageId: STATUS_OPERATION_NOT_SUPPORTED_IN_TRANSACTION // // MessageText: // // This operation cannot be performed in a transaction. // const auto STATUS_OPERATION_NOT_SUPPORTED_IN_TRANSACTION = (cast(NTSTATUS)0xC019005AL); // // MessageId: STATUS_TRANSACTION_INTEGRITY_VIOLATED // // MessageText: // // The kernel transaction manager had to abort or forget the transaction because it blocked forward progress. // const auto STATUS_TRANSACTION_INTEGRITY_VIOLATED = (cast(NTSTATUS)0xC019005BL); // // CLFS (common log file system) error values // // // MessageId: STATUS_LOG_SECTOR_INVALID // // MessageText: // // Log service found an invalid log sector. // const auto STATUS_LOG_SECTOR_INVALID = (cast(NTSTATUS)0xC01A0001L); // // MessageId: STATUS_LOG_SECTOR_PARITY_INVALID // // MessageText: // // Log service encountered a log sector with invalid block parity. // const auto STATUS_LOG_SECTOR_PARITY_INVALID = (cast(NTSTATUS)0xC01A0002L); // // MessageId: STATUS_LOG_SECTOR_REMAPPED // // MessageText: // // Log service encountered a remapped log sector. // const auto STATUS_LOG_SECTOR_REMAPPED = (cast(NTSTATUS)0xC01A0003L); // // MessageId: STATUS_LOG_BLOCK_INCOMPLETE // // MessageText: // // Log service encountered a partial or incomplete log block. // const auto STATUS_LOG_BLOCK_INCOMPLETE = (cast(NTSTATUS)0xC01A0004L); // // MessageId: STATUS_LOG_INVALID_RANGE // // MessageText: // // Log service encountered an attempt access data outside the active log range. // const auto STATUS_LOG_INVALID_RANGE = (cast(NTSTATUS)0xC01A0005L); // // MessageId: STATUS_LOG_BLOCKS_EXHAUSTED // // MessageText: // // Log service user log marshalling buffers are exhausted. // const auto STATUS_LOG_BLOCKS_EXHAUSTED = (cast(NTSTATUS)0xC01A0006L); // // MessageId: STATUS_LOG_READ_CONTEXT_INVALID // // MessageText: // // Log service encountered an attempt read from a marshalling area with an invalid read context. // const auto STATUS_LOG_READ_CONTEXT_INVALID = (cast(NTSTATUS)0xC01A0007L); // // MessageId: STATUS_LOG_RESTART_INVALID // // MessageText: // // Log service encountered an invalid log restart area. // const auto STATUS_LOG_RESTART_INVALID = (cast(NTSTATUS)0xC01A0008L); // // MessageId: STATUS_LOG_BLOCK_VERSION // // MessageText: // // Log service encountered an invalid log block version. // const auto STATUS_LOG_BLOCK_VERSION = (cast(NTSTATUS)0xC01A0009L); // // MessageId: STATUS_LOG_BLOCK_INVALID // // MessageText: // // Log service encountered an invalid log block. // const auto STATUS_LOG_BLOCK_INVALID = (cast(NTSTATUS)0xC01A000AL); // // MessageId: STATUS_LOG_READ_MODE_INVALID // // MessageText: // // Log service encountered an attempt to read the log with an invalid read mode. // const auto STATUS_LOG_READ_MODE_INVALID = (cast(NTSTATUS)0xC01A000BL); // // MessageId: STATUS_LOG_NO_RESTART // // MessageText: // // Log service encountered a log stream with no restart area. // const auto STATUS_LOG_NO_RESTART = (cast(NTSTATUS)0x401A000CL); // // MessageId: STATUS_LOG_METADATA_CORRUPT // // MessageText: // // Log service encountered a corrupted metadata file. // const auto STATUS_LOG_METADATA_CORRUPT = (cast(NTSTATUS)0xC01A000DL); // // MessageId: STATUS_LOG_METADATA_INVALID // // MessageText: // // Log service encountered a metadata file that could not be created by the log file system. // const auto STATUS_LOG_METADATA_INVALID = (cast(NTSTATUS)0xC01A000EL); // // MessageId: STATUS_LOG_METADATA_INCONSISTENT // // MessageText: // // Log service encountered a metadata file with inconsistent data. // const auto STATUS_LOG_METADATA_INCONSISTENT = (cast(NTSTATUS)0xC01A000FL); // // MessageId: STATUS_LOG_RESERVATION_INVALID // // MessageText: // // Log service encountered an attempt to erroneously allocate or dispose reservation space. // const auto STATUS_LOG_RESERVATION_INVALID = (cast(NTSTATUS)0xC01A0010L); // // MessageId: STATUS_LOG_CANT_DELETE // // MessageText: // // Log service cannot delete log file or file system container. // const auto STATUS_LOG_CANT_DELETE = (cast(NTSTATUS)0xC01A0011L); // // MessageId: STATUS_LOG_CONTAINER_LIMIT_EXCEEDED // // MessageText: // // Log service has reached the maximum allowable containers allocated to a log file. // const auto STATUS_LOG_CONTAINER_LIMIT_EXCEEDED = (cast(NTSTATUS)0xC01A0012L); // // MessageId: STATUS_LOG_START_OF_LOG // // MessageText: // // Log service has attempted to read or write backwards past the start of the log. // const auto STATUS_LOG_START_OF_LOG = (cast(NTSTATUS)0xC01A0013L); // // MessageId: STATUS_LOG_POLICY_ALREADY_INSTALLED // // MessageText: // // Log policy could not be installed because a policy of the same type is already present. // const auto STATUS_LOG_POLICY_ALREADY_INSTALLED = (cast(NTSTATUS)0xC01A0014L); // // MessageId: STATUS_LOG_POLICY_NOT_INSTALLED // // MessageText: // // Log policy in question was not installed at the time of the request. // const auto STATUS_LOG_POLICY_NOT_INSTALLED = (cast(NTSTATUS)0xC01A0015L); // // MessageId: STATUS_LOG_POLICY_INVALID // // MessageText: // // The installed set of policies on the log is invalid. // const auto STATUS_LOG_POLICY_INVALID = (cast(NTSTATUS)0xC01A0016L); // // MessageId: STATUS_LOG_POLICY_CONFLICT // // MessageText: // // A policy on the log in question prevented the operation from completing. // const auto STATUS_LOG_POLICY_CONFLICT = (cast(NTSTATUS)0xC01A0017L); // // MessageId: STATUS_LOG_PINNED_ARCHIVE_TAIL // // MessageText: // // Log space cannot be reclaimed because the log is pinned by the archive tail. // const auto STATUS_LOG_PINNED_ARCHIVE_TAIL = (cast(NTSTATUS)0xC01A0018L); // // MessageId: STATUS_LOG_RECORD_NONEXISTENT // // MessageText: // // Log record is not a record in the log file. // const auto STATUS_LOG_RECORD_NONEXISTENT = (cast(NTSTATUS)0xC01A0019L); // // MessageId: STATUS_LOG_RECORDS_RESERVED_INVALID // // MessageText: // // Number of reserved log records or the adjustment of the number of reserved log records is invalid. // const auto STATUS_LOG_RECORDS_RESERVED_INVALID = (cast(NTSTATUS)0xC01A001AL); // // MessageId: STATUS_LOG_SPACE_RESERVED_INVALID // // MessageText: // // Reserved log space or the adjustment of the log space is invalid. // const auto STATUS_LOG_SPACE_RESERVED_INVALID = (cast(NTSTATUS)0xC01A001BL); // // MessageId: STATUS_LOG_TAIL_INVALID // // MessageText: // // A new or existing archive tail or base of the active log is invalid. // const auto STATUS_LOG_TAIL_INVALID = (cast(NTSTATUS)0xC01A001CL); // // MessageId: STATUS_LOG_FULL // // MessageText: // // Log space is exhausted. // const auto STATUS_LOG_FULL = (cast(NTSTATUS)0xC01A001DL); // // MessageId: STATUS_LOG_MULTIPLEXED // // MessageText: // // Log is multiplexed, no direct writes to the physical log is allowed. // const auto STATUS_LOG_MULTIPLEXED = (cast(NTSTATUS)0xC01A001EL); // // MessageId: STATUS_LOG_DEDICATED // // MessageText: // // The operation failed because the log is a dedicated log. // const auto STATUS_LOG_DEDICATED = (cast(NTSTATUS)0xC01A001FL); // // MessageId: STATUS_LOG_ARCHIVE_NOT_IN_PROGRESS // // MessageText: // // The operation requires an archive context. // const auto STATUS_LOG_ARCHIVE_NOT_IN_PROGRESS = (cast(NTSTATUS)0xC01A0020L); // // MessageId: STATUS_LOG_ARCHIVE_IN_PROGRESS // // MessageText: // // Log archival is in progress. // const auto STATUS_LOG_ARCHIVE_IN_PROGRESS = (cast(NTSTATUS)0xC01A0021L); // // MessageId: STATUS_LOG_EPHEMERAL // // MessageText: // // The operation requires a non-ephemeral log, but the log is ephemeral. // const auto STATUS_LOG_EPHEMERAL = (cast(NTSTATUS)0xC01A0022L); // // MessageId: STATUS_LOG_NOT_ENOUGH_CONTAINERS // // MessageText: // // The log must have at least two containers before it can be read from or written to. // const auto STATUS_LOG_NOT_ENOUGH_CONTAINERS = (cast(NTSTATUS)0xC01A0023L); // // MessageId: STATUS_LOG_CLIENT_ALREADY_REGISTERED // // MessageText: // // A log client has already registered on the stream. // const auto STATUS_LOG_CLIENT_ALREADY_REGISTERED = (cast(NTSTATUS)0xC01A0024L); // // MessageId: STATUS_LOG_CLIENT_NOT_REGISTERED // // MessageText: // // A log client has not been registered on the stream. // const auto STATUS_LOG_CLIENT_NOT_REGISTERED = (cast(NTSTATUS)0xC01A0025L); // // MessageId: STATUS_LOG_FULL_HANDLER_IN_PROGRESS // // MessageText: // // A request has already been made to handle the log full condition. // const auto STATUS_LOG_FULL_HANDLER_IN_PROGRESS = (cast(NTSTATUS)0xC01A0026L); // // MessageId: STATUS_LOG_CONTAINER_READ_FAILED // // MessageText: // // Log service enountered an error when attempting to read from a log container. // const auto STATUS_LOG_CONTAINER_READ_FAILED = (cast(NTSTATUS)0xC01A0027L); // // MessageId: STATUS_LOG_CONTAINER_WRITE_FAILED // // MessageText: // // Log service enountered an error when attempting to write to a log container. // const auto STATUS_LOG_CONTAINER_WRITE_FAILED = (cast(NTSTATUS)0xC01A0028L); // // MessageId: STATUS_LOG_CONTAINER_OPEN_FAILED // // MessageText: // // Log service enountered an error when attempting open a log container. // const auto STATUS_LOG_CONTAINER_OPEN_FAILED = (cast(NTSTATUS)0xC01A0029L); // // MessageId: STATUS_LOG_CONTAINER_STATE_INVALID // // MessageText: // // Log service enountered an invalid container state when attempting a requested action. // const auto STATUS_LOG_CONTAINER_STATE_INVALID = (cast(NTSTATUS)0xC01A002AL); // // MessageId: STATUS_LOG_STATE_INVALID // // MessageText: // // Log service is not in the correct state to perform a requested action. // const auto STATUS_LOG_STATE_INVALID = (cast(NTSTATUS)0xC01A002BL); // // MessageId: STATUS_LOG_PINNED // // MessageText: // // Log space cannot be reclaimed because the log is pinned. // const auto STATUS_LOG_PINNED = (cast(NTSTATUS)0xC01A002CL); // // MessageId: STATUS_LOG_METADATA_FLUSH_FAILED // // MessageText: // // Log metadata flush failed. // const auto STATUS_LOG_METADATA_FLUSH_FAILED = (cast(NTSTATUS)0xC01A002DL); // // MessageId: STATUS_LOG_INCONSISTENT_SECURITY // // MessageText: // // Security on the log and its containers is inconsistent. // const auto STATUS_LOG_INCONSISTENT_SECURITY = (cast(NTSTATUS)0xC01A002EL); // // MessageId: STATUS_LOG_APPENDED_FLUSH_FAILED // // MessageText: // // Records were appended to the log or reservation changes were made, but the log could not be flushed. // const auto STATUS_LOG_APPENDED_FLUSH_FAILED = (cast(NTSTATUS)0xC01A002FL); // // MessageId: STATUS_LOG_PINNED_RESERVATION // // MessageText: // // The log is pinned due to reservation consuming most of the log space. Free some reserved records to make space available. // const auto STATUS_LOG_PINNED_RESERVATION = (cast(NTSTATUS)0xC01A0030L); // // XDDM Video Facility Error codes (videoprt.sys) // // // MessageId: STATUS_VIDEO_HUNG_DISPLAY_DRIVER_THREAD // // MessageText: // // {Display Driver Stopped Responding} // The %hs display driver has stopped working normally. Save your work and reboot the system to restore full display functionality. The next time you reboot the machine a dialog will be displayed giving you a chance to upload data about this failure to Microsoft. // const auto STATUS_VIDEO_HUNG_DISPLAY_DRIVER_THREAD = (cast(NTSTATUS)0xC01B00EAL); // // MessageId: STATUS_VIDEO_HUNG_DISPLAY_DRIVER_THREAD_RECOVERED // // MessageText: // // {Display Driver Stopped Responding and recovered} // The %hs display driver has stopped working normally. The recovery had been performed. // const auto STATUS_VIDEO_HUNG_DISPLAY_DRIVER_THREAD_RECOVERED = (cast(NTSTATUS)0x801B00EBL); // // MessageId: STATUS_VIDEO_DRIVER_DEBUG_REPORT_REQUEST // // MessageText: // // {Display Driver Recovered From Failure} // The %hs display driver has detected and recovered from a failure. Some graphical operations may have failed. The next time you reboot the machine a dialog will be displayed giving you a chance to upload data about this failure to Microsoft. // const auto STATUS_VIDEO_DRIVER_DEBUG_REPORT_REQUEST = (cast(NTSTATUS)0x401B00ECL); // // Monitor Facility Error codes (monitor.sys) // // // MessageId: STATUS_MONITOR_NO_DESCRIPTOR // // MessageText: // // Monitor descriptor could not be obtained. // const auto STATUS_MONITOR_NO_DESCRIPTOR = (cast(NTSTATUS)0xC01D0001L); // // MessageId: STATUS_MONITOR_UNKNOWN_DESCRIPTOR_FORMAT // // MessageText: // // Format of the obtained monitor descriptor is not supported by this release. // const auto STATUS_MONITOR_UNKNOWN_DESCRIPTOR_FORMAT = (cast(NTSTATUS)0xC01D0002L); // // MessageId: STATUS_MONITOR_INVALID_DESCRIPTOR_CHECKSUM // // MessageText: // // Checksum of the obtained monitor descriptor is invalid. // const auto STATUS_MONITOR_INVALID_DESCRIPTOR_CHECKSUM = (cast(NTSTATUS)0xC01D0003L); // // MessageId: STATUS_MONITOR_INVALID_STANDARD_TIMING_BLOCK // // MessageText: // // Monitor descriptor contains an invalid standard timing block. // const auto STATUS_MONITOR_INVALID_STANDARD_TIMING_BLOCK = (cast(NTSTATUS)0xC01D0004L); // // MessageId: STATUS_MONITOR_WMI_DATABLOCK_REGISTRATION_FAILED // // MessageText: // // WMI data block registration failed for one of the MSMonitorClass WMI subclasses. // const auto STATUS_MONITOR_WMI_DATABLOCK_REGISTRATION_FAILED = (cast(NTSTATUS)0xC01D0005L); // // MessageId: STATUS_MONITOR_INVALID_SERIAL_NUMBER_MONDSC_BLOCK // // MessageText: // // Provided monitor descriptor block is either corrupted or does not contain monitor's detailed serial number. // const auto STATUS_MONITOR_INVALID_SERIAL_NUMBER_MONDSC_BLOCK = (cast(NTSTATUS)0xC01D0006L); // // MessageId: STATUS_MONITOR_INVALID_USER_FRIENDLY_MONDSC_BLOCK // // MessageText: // // Provided monitor descriptor block is either corrupted or does not contain monitor's user friendly name. // const auto STATUS_MONITOR_INVALID_USER_FRIENDLY_MONDSC_BLOCK = (cast(NTSTATUS)0xC01D0007L); // // MessageId: STATUS_MONITOR_NO_MORE_DESCRIPTOR_DATA // // MessageText: // // There is no monitor descriptor data at the specified (offset, size) region. // const auto STATUS_MONITOR_NO_MORE_DESCRIPTOR_DATA = (cast(NTSTATUS)0xC01D0008L); // // MessageId: STATUS_MONITOR_INVALID_DETAILED_TIMING_BLOCK // // MessageText: // // Monitor descriptor contains an invalid detailed timing block. // const auto STATUS_MONITOR_INVALID_DETAILED_TIMING_BLOCK = (cast(NTSTATUS)0xC01D0009L); // // Graphics Facility Error codes (dxg.sys, dxgkrnl.sys) // // // Common Windows Graphics Kernel Subsystem status codes {0x0000..0x00ff} // // // MessageId: STATUS_GRAPHICS_NOT_EXCLUSIVE_MODE_OWNER // // MessageText: // // Exclusive mode ownership is needed to create unmanaged primary allocation. // const auto STATUS_GRAPHICS_NOT_EXCLUSIVE_MODE_OWNER = (cast(NTSTATUS)0xC01E0000L); // // MessageId: STATUS_GRAPHICS_INSUFFICIENT_DMA_BUFFER // // MessageText: // // The driver needs more DMA buffer space in order to complete the requested operation. // const auto STATUS_GRAPHICS_INSUFFICIENT_DMA_BUFFER = (cast(NTSTATUS)0xC01E0001L); // // MessageId: STATUS_GRAPHICS_INVALID_DISPLAY_ADAPTER // // MessageText: // // Specified display adapter handle is invalid. // const auto STATUS_GRAPHICS_INVALID_DISPLAY_ADAPTER = (cast(NTSTATUS)0xC01E0002L); // // MessageId: STATUS_GRAPHICS_ADAPTER_WAS_RESET // // MessageText: // // Specified display adapter and all of its state has been reset. // const auto STATUS_GRAPHICS_ADAPTER_WAS_RESET = (cast(NTSTATUS)0xC01E0003L); // // MessageId: STATUS_GRAPHICS_INVALID_DRIVER_MODEL // // MessageText: // // The driver stack doesn't match the expected driver model. // const auto STATUS_GRAPHICS_INVALID_DRIVER_MODEL = (cast(NTSTATUS)0xC01E0004L); // // MessageId: STATUS_GRAPHICS_PRESENT_MODE_CHANGED // // MessageText: // // Present happened but ended up into the changed desktop mode // const auto STATUS_GRAPHICS_PRESENT_MODE_CHANGED = (cast(NTSTATUS)0xC01E0005L); // // MessageId: STATUS_GRAPHICS_PRESENT_OCCLUDED // // MessageText: // // Nothing to present due to desktop occlusion // const auto STATUS_GRAPHICS_PRESENT_OCCLUDED = (cast(NTSTATUS)0xC01E0006L); // // MessageId: STATUS_GRAPHICS_PRESENT_DENIED // // MessageText: // // Not able to present due to denial of desktop access // const auto STATUS_GRAPHICS_PRESENT_DENIED = (cast(NTSTATUS)0xC01E0007L); // // MessageId: STATUS_GRAPHICS_CANNOTCOLORCONVERT // // MessageText: // // Not able to present with color convertion // const auto STATUS_GRAPHICS_CANNOTCOLORCONVERT = (cast(NTSTATUS)0xC01E0008L); // // MessageId: STATUS_GRAPHICS_DRIVER_MISMATCH // // MessageText: // // The kernel driver detected a version mismatch between it and the user mode driver. // const auto STATUS_GRAPHICS_DRIVER_MISMATCH = (cast(NTSTATUS)0xC01E0009L); // // MessageId: STATUS_GRAPHICS_PARTIAL_DATA_POPULATED // // MessageText: // // Specified buffer is not big enough to contain entire requested dataset. Partial data populated upto the size of the buffer. // Caller needs to provide buffer of size as specified in the partially populated buffer's content (interface specific). // const auto STATUS_GRAPHICS_PARTIAL_DATA_POPULATED = (cast(NTSTATUS)0x401E000AL); // // Video Memory Manager (VidMM) specific status codes {0x0100..0x01ff} // // // MessageId: STATUS_GRAPHICS_NO_VIDEO_MEMORY // // MessageText: // // Not enough video memory available to complete the operation. // const auto STATUS_GRAPHICS_NO_VIDEO_MEMORY = (cast(NTSTATUS)0xC01E0100L); // // MessageId: STATUS_GRAPHICS_CANT_LOCK_MEMORY // // MessageText: // // Couldn't probe and lock the underlying memory of an allocation. // const auto STATUS_GRAPHICS_CANT_LOCK_MEMORY = (cast(NTSTATUS)0xC01E0101L); // // MessageId: STATUS_GRAPHICS_ALLOCATION_BUSY // // MessageText: // // The allocation is currently busy. // const auto STATUS_GRAPHICS_ALLOCATION_BUSY = (cast(NTSTATUS)0xC01E0102L); // // MessageId: STATUS_GRAPHICS_TOO_MANY_REFERENCES // // MessageText: // // An object being referenced has already reached the maximum reference count and can't be referenced any further. // const auto STATUS_GRAPHICS_TOO_MANY_REFERENCES = (cast(NTSTATUS)0xC01E0103L); // // MessageId: STATUS_GRAPHICS_TRY_AGAIN_LATER // // MessageText: // // A problem couldn't be solved due to some currently existing condition. The problem should be tried again later. // const auto STATUS_GRAPHICS_TRY_AGAIN_LATER = (cast(NTSTATUS)0xC01E0104L); // // MessageId: STATUS_GRAPHICS_TRY_AGAIN_NOW // // MessageText: // // A problem couldn't be solved due to some currently existing condition. The problem should be tried again immediately. // const auto STATUS_GRAPHICS_TRY_AGAIN_NOW = (cast(NTSTATUS)0xC01E0105L); // // MessageId: STATUS_GRAPHICS_ALLOCATION_INVALID // // MessageText: // // The allocation is invalid. // const auto STATUS_GRAPHICS_ALLOCATION_INVALID = (cast(NTSTATUS)0xC01E0106L); // // MessageId: STATUS_GRAPHICS_UNSWIZZLING_APERTURE_UNAVAILABLE // // MessageText: // // No more unswizzling aperture are currently available. // const auto STATUS_GRAPHICS_UNSWIZZLING_APERTURE_UNAVAILABLE = (cast(NTSTATUS)0xC01E0107L); // // MessageId: STATUS_GRAPHICS_UNSWIZZLING_APERTURE_UNSUPPORTED // // MessageText: // // The current allocation can't be unswizzled by an aperture. // const auto STATUS_GRAPHICS_UNSWIZZLING_APERTURE_UNSUPPORTED = (cast(NTSTATUS)0xC01E0108L); // // MessageId: STATUS_GRAPHICS_CANT_EVICT_PINNED_ALLOCATION // // MessageText: // // The request failed because a pinned allocation can't be evicted. // const auto STATUS_GRAPHICS_CANT_EVICT_PINNED_ALLOCATION = (cast(NTSTATUS)0xC01E0109L); // // MessageId: STATUS_GRAPHICS_INVALID_ALLOCATION_USAGE // // MessageText: // // The allocation can't be used from it's current segment location for the specified operation. // const auto STATUS_GRAPHICS_INVALID_ALLOCATION_USAGE = (cast(NTSTATUS)0xC01E0110L); // // MessageId: STATUS_GRAPHICS_CANT_RENDER_LOCKED_ALLOCATION // // MessageText: // // A locked allocation can't be used in the current command buffer. // const auto STATUS_GRAPHICS_CANT_RENDER_LOCKED_ALLOCATION = (cast(NTSTATUS)0xC01E0111L); // // MessageId: STATUS_GRAPHICS_ALLOCATION_CLOSED // // MessageText: // // The allocation being referenced has been closed permanently. // const auto STATUS_GRAPHICS_ALLOCATION_CLOSED = (cast(NTSTATUS)0xC01E0112L); // // MessageId: STATUS_GRAPHICS_INVALID_ALLOCATION_INSTANCE // // MessageText: // // An invalid allocation instance is being referenced. // const auto STATUS_GRAPHICS_INVALID_ALLOCATION_INSTANCE = (cast(NTSTATUS)0xC01E0113L); // // MessageId: STATUS_GRAPHICS_INVALID_ALLOCATION_HANDLE // // MessageText: // // An invalid allocation handle is being referenced. // const auto STATUS_GRAPHICS_INVALID_ALLOCATION_HANDLE = (cast(NTSTATUS)0xC01E0114L); // // MessageId: STATUS_GRAPHICS_WRONG_ALLOCATION_DEVICE // // MessageText: // // The allocation being referenced doesn't belong to the current device. // const auto STATUS_GRAPHICS_WRONG_ALLOCATION_DEVICE = (cast(NTSTATUS)0xC01E0115L); // // MessageId: STATUS_GRAPHICS_ALLOCATION_CONTENT_LOST // // MessageText: // // The specified allocation lost its content. // const auto STATUS_GRAPHICS_ALLOCATION_CONTENT_LOST = (cast(NTSTATUS)0xC01E0116L); // // Video GPU Scheduler (VidSch) specific status codes {0x0200..0x02ff} // // // MessageId: STATUS_GRAPHICS_GPU_EXCEPTION_ON_DEVICE // // MessageText: // // GPU exception is detected on the given device. The device is not able to be scheduled. // const auto STATUS_GRAPHICS_GPU_EXCEPTION_ON_DEVICE = (cast(NTSTATUS)0xC01E0200L); // // Video Present Network Management (VidPNMgr) specific status codes {0x0300..0x03ff} // // // MessageId: STATUS_GRAPHICS_INVALID_VIDPN_TOPOLOGY // // MessageText: // // Specified VidPN topology is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDPN_TOPOLOGY = (cast(NTSTATUS)0xC01E0300L); // // MessageId: STATUS_GRAPHICS_VIDPN_TOPOLOGY_NOT_SUPPORTED // // MessageText: // // Specified VidPN topology is valid but is not supported by this model of the display adapter. // const auto STATUS_GRAPHICS_VIDPN_TOPOLOGY_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0301L); // // MessageId: STATUS_GRAPHICS_VIDPN_TOPOLOGY_CURRENTLY_NOT_SUPPORTED // // MessageText: // // Specified VidPN topology is valid but is not supported by the display adapter at this time, due to current allocation of its resources. // const auto STATUS_GRAPHICS_VIDPN_TOPOLOGY_CURRENTLY_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0302L); // // MessageId: STATUS_GRAPHICS_INVALID_VIDPN // // MessageText: // // Specified VidPN handle is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDPN = (cast(NTSTATUS)0xC01E0303L); // // MessageId: STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE // // MessageText: // // Specified video present source is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE = (cast(NTSTATUS)0xC01E0304L); // // MessageId: STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET // // MessageText: // // Specified video present target is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET = (cast(NTSTATUS)0xC01E0305L); // // MessageId: STATUS_GRAPHICS_VIDPN_MODALITY_NOT_SUPPORTED // // MessageText: // // Specified VidPN modality is not supported (e.g. at least two of the pinned modes are not cofunctional). // const auto STATUS_GRAPHICS_VIDPN_MODALITY_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0306L); // // MessageId: STATUS_GRAPHICS_MODE_NOT_PINNED // // MessageText: // // No mode is pinned on the specified VidPN source/target. // const auto STATUS_GRAPHICS_MODE_NOT_PINNED = (cast(NTSTATUS)0x401E0307L); // // MessageId: STATUS_GRAPHICS_INVALID_VIDPN_SOURCEMODESET // // MessageText: // // Specified VidPN source mode set is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDPN_SOURCEMODESET = (cast(NTSTATUS)0xC01E0308L); // // MessageId: STATUS_GRAPHICS_INVALID_VIDPN_TARGETMODESET // // MessageText: // // Specified VidPN target mode set is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDPN_TARGETMODESET = (cast(NTSTATUS)0xC01E0309L); // // MessageId: STATUS_GRAPHICS_INVALID_FREQUENCY // // MessageText: // // Specified video signal frequency is invalid. // const auto STATUS_GRAPHICS_INVALID_FREQUENCY = (cast(NTSTATUS)0xC01E030AL); // // MessageId: STATUS_GRAPHICS_INVALID_ACTIVE_REGION // // MessageText: // // Specified video signal active region is invalid. // const auto STATUS_GRAPHICS_INVALID_ACTIVE_REGION = (cast(NTSTATUS)0xC01E030BL); // // MessageId: STATUS_GRAPHICS_INVALID_TOTAL_REGION // // MessageText: // // Specified video signal total region is invalid. // const auto STATUS_GRAPHICS_INVALID_TOTAL_REGION = (cast(NTSTATUS)0xC01E030CL); // // MessageId: STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE_MODE // // MessageText: // // Specified video present source mode is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE_MODE = (cast(NTSTATUS)0xC01E0310L); // // MessageId: STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET_MODE // // MessageText: // // Specified video present target mode is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET_MODE = (cast(NTSTATUS)0xC01E0311L); // // MessageId: STATUS_GRAPHICS_PINNED_MODE_MUST_REMAIN_IN_SET // // MessageText: // // Pinned mode must remain in the set on VidPN's cofunctional modality enumeration. // const auto STATUS_GRAPHICS_PINNED_MODE_MUST_REMAIN_IN_SET = (cast(NTSTATUS)0xC01E0312L); // // MessageId: STATUS_GRAPHICS_PATH_ALREADY_IN_TOPOLOGY // // MessageText: // // Specified video present path is already in VidPN's topology. // const auto STATUS_GRAPHICS_PATH_ALREADY_IN_TOPOLOGY = (cast(NTSTATUS)0xC01E0313L); // // MessageId: STATUS_GRAPHICS_MODE_ALREADY_IN_MODESET // // MessageText: // // Specified mode is already in the mode set. // const auto STATUS_GRAPHICS_MODE_ALREADY_IN_MODESET = (cast(NTSTATUS)0xC01E0314L); // // MessageId: STATUS_GRAPHICS_INVALID_VIDEOPRESENTSOURCESET // // MessageText: // // Specified video present source set is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDEOPRESENTSOURCESET = (cast(NTSTATUS)0xC01E0315L); // // MessageId: STATUS_GRAPHICS_INVALID_VIDEOPRESENTTARGETSET // // MessageText: // // Specified video present target set is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDEOPRESENTTARGETSET = (cast(NTSTATUS)0xC01E0316L); // // MessageId: STATUS_GRAPHICS_SOURCE_ALREADY_IN_SET // // MessageText: // // Specified video present source is already in the video present source set. // const auto STATUS_GRAPHICS_SOURCE_ALREADY_IN_SET = (cast(NTSTATUS)0xC01E0317L); // // MessageId: STATUS_GRAPHICS_TARGET_ALREADY_IN_SET // // MessageText: // // Specified video present target is already in the video present target set. // const auto STATUS_GRAPHICS_TARGET_ALREADY_IN_SET = (cast(NTSTATUS)0xC01E0318L); // // MessageId: STATUS_GRAPHICS_INVALID_VIDPN_PRESENT_PATH // // MessageText: // // Specified VidPN present path is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDPN_PRESENT_PATH = (cast(NTSTATUS)0xC01E0319L); // // MessageId: STATUS_GRAPHICS_NO_RECOMMENDED_VIDPN_TOPOLOGY // // MessageText: // // Miniport has no recommendation for augmentation of the specified VidPN's topology. // const auto STATUS_GRAPHICS_NO_RECOMMENDED_VIDPN_TOPOLOGY = (cast(NTSTATUS)0xC01E031AL); // // MessageId: STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGESET // // MessageText: // // Specified monitor frequency range set is invalid. // const auto STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGESET = (cast(NTSTATUS)0xC01E031BL); // // MessageId: STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE // // MessageText: // // Specified monitor frequency range is invalid. // const auto STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE = (cast(NTSTATUS)0xC01E031CL); // // MessageId: STATUS_GRAPHICS_FREQUENCYRANGE_NOT_IN_SET // // MessageText: // // Specified frequency range is not in the specified monitor frequency range set. // const auto STATUS_GRAPHICS_FREQUENCYRANGE_NOT_IN_SET = (cast(NTSTATUS)0xC01E031DL); // // MessageId: STATUS_GRAPHICS_NO_PREFERRED_MODE // // MessageText: // // Specified mode set does not specify preference for one of its modes. // const auto STATUS_GRAPHICS_NO_PREFERRED_MODE = (cast(NTSTATUS)0x401E031EL); // // MessageId: STATUS_GRAPHICS_FREQUENCYRANGE_ALREADY_IN_SET // // MessageText: // // Specified frequency range is already in the specified monitor frequency range set. // const auto STATUS_GRAPHICS_FREQUENCYRANGE_ALREADY_IN_SET = (cast(NTSTATUS)0xC01E031FL); // // MessageId: STATUS_GRAPHICS_STALE_MODESET // // MessageText: // // Specified mode set is stale. Please reacquire the new mode set. // const auto STATUS_GRAPHICS_STALE_MODESET = (cast(NTSTATUS)0xC01E0320L); // // MessageId: STATUS_GRAPHICS_INVALID_MONITOR_SOURCEMODESET // // MessageText: // // Specified monitor source mode set is invalid. // const auto STATUS_GRAPHICS_INVALID_MONITOR_SOURCEMODESET = (cast(NTSTATUS)0xC01E0321L); // // MessageId: STATUS_GRAPHICS_INVALID_MONITOR_SOURCE_MODE // // MessageText: // // Specified monitor source mode is invalid. // const auto STATUS_GRAPHICS_INVALID_MONITOR_SOURCE_MODE = (cast(NTSTATUS)0xC01E0322L); // // MessageId: STATUS_GRAPHICS_NO_RECOMMENDED_FUNCTIONAL_VIDPN // // MessageText: // // Miniport does not have any recommendation regarding the request to provide a functional VidPN given the current display adapter configuration. // const auto STATUS_GRAPHICS_NO_RECOMMENDED_FUNCTIONAL_VIDPN = (cast(NTSTATUS)0xC01E0323L); // // MessageId: STATUS_GRAPHICS_MODE_ID_MUST_BE_UNIQUE // // MessageText: // // ID of the specified mode is already used by another mode in the set. // const auto STATUS_GRAPHICS_MODE_ID_MUST_BE_UNIQUE = (cast(NTSTATUS)0xC01E0324L); // // MessageId: STATUS_GRAPHICS_EMPTY_ADAPTER_MONITOR_MODE_SUPPORT_INTERSECTION // // MessageText: // // System failed to determine a mode that is supported by both the display adapter and the monitor connected to it. // const auto STATUS_GRAPHICS_EMPTY_ADAPTER_MONITOR_MODE_SUPPORT_INTERSECTION = (cast(NTSTATUS)0xC01E0325L); // // MessageId: STATUS_GRAPHICS_VIDEO_PRESENT_TARGETS_LESS_THAN_SOURCES // // MessageText: // // Number of video present targets must be greater than or equal to the number of video present sources. // const auto STATUS_GRAPHICS_VIDEO_PRESENT_TARGETS_LESS_THAN_SOURCES = (cast(NTSTATUS)0xC01E0326L); // // MessageId: STATUS_GRAPHICS_PATH_NOT_IN_TOPOLOGY // // MessageText: // // Specified present path is not in VidPN's topology. // const auto STATUS_GRAPHICS_PATH_NOT_IN_TOPOLOGY = (cast(NTSTATUS)0xC01E0327L); // // MessageId: STATUS_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_SOURCE // // MessageText: // // Display adapter must have at least one video present source. // const auto STATUS_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_SOURCE = (cast(NTSTATUS)0xC01E0328L); // // MessageId: STATUS_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_TARGET // // MessageText: // // Display adapter must have at least one video present target. // const auto STATUS_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_TARGET = (cast(NTSTATUS)0xC01E0329L); // // MessageId: STATUS_GRAPHICS_INVALID_MONITORDESCRIPTORSET // // MessageText: // // Specified monitor descriptor set is invalid. // const auto STATUS_GRAPHICS_INVALID_MONITORDESCRIPTORSET = (cast(NTSTATUS)0xC01E032AL); // // MessageId: STATUS_GRAPHICS_INVALID_MONITORDESCRIPTOR // // MessageText: // // Specified monitor descriptor is invalid. // const auto STATUS_GRAPHICS_INVALID_MONITORDESCRIPTOR = (cast(NTSTATUS)0xC01E032BL); // // MessageId: STATUS_GRAPHICS_MONITORDESCRIPTOR_NOT_IN_SET // // MessageText: // // Specified descriptor is not in the specified monitor descriptor set. // const auto STATUS_GRAPHICS_MONITORDESCRIPTOR_NOT_IN_SET = (cast(NTSTATUS)0xC01E032CL); // // MessageId: STATUS_GRAPHICS_MONITORDESCRIPTOR_ALREADY_IN_SET // // MessageText: // // Specified descriptor is already in the specified monitor descriptor set. // const auto STATUS_GRAPHICS_MONITORDESCRIPTOR_ALREADY_IN_SET = (cast(NTSTATUS)0xC01E032DL); // // MessageId: STATUS_GRAPHICS_MONITORDESCRIPTOR_ID_MUST_BE_UNIQUE // // MessageText: // // ID of the specified monitor descriptor is already used by another descriptor in the set. // const auto STATUS_GRAPHICS_MONITORDESCRIPTOR_ID_MUST_BE_UNIQUE = (cast(NTSTATUS)0xC01E032EL); // // MessageId: STATUS_GRAPHICS_INVALID_VIDPN_TARGET_SUBSET_TYPE // // MessageText: // // Specified video present target subset type is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDPN_TARGET_SUBSET_TYPE = (cast(NTSTATUS)0xC01E032FL); // // MessageId: STATUS_GRAPHICS_RESOURCES_NOT_RELATED // // MessageText: // // Two or more of the specified resources are not related to each other, as defined by the interface semantics. // const auto STATUS_GRAPHICS_RESOURCES_NOT_RELATED = (cast(NTSTATUS)0xC01E0330L); // // MessageId: STATUS_GRAPHICS_SOURCE_ID_MUST_BE_UNIQUE // // MessageText: // // ID of the specified video present source is already used by another source in the set. // const auto STATUS_GRAPHICS_SOURCE_ID_MUST_BE_UNIQUE = (cast(NTSTATUS)0xC01E0331L); // // MessageId: STATUS_GRAPHICS_TARGET_ID_MUST_BE_UNIQUE // // MessageText: // // ID of the specified video present target is already used by another target in the set. // const auto STATUS_GRAPHICS_TARGET_ID_MUST_BE_UNIQUE = (cast(NTSTATUS)0xC01E0332L); // // MessageId: STATUS_GRAPHICS_NO_AVAILABLE_VIDPN_TARGET // // MessageText: // // Specified VidPN source cannot be used because there is no available VidPN target to connect it to. // const auto STATUS_GRAPHICS_NO_AVAILABLE_VIDPN_TARGET = (cast(NTSTATUS)0xC01E0333L); // // MessageId: STATUS_GRAPHICS_MONITOR_COULD_NOT_BE_ASSOCIATED_WITH_ADAPTER // // MessageText: // // Newly arrived monitor could not be associated with a display adapter. // const auto STATUS_GRAPHICS_MONITOR_COULD_NOT_BE_ASSOCIATED_WITH_ADAPTER = (cast(NTSTATUS)0xC01E0334L); // // MessageId: STATUS_GRAPHICS_NO_VIDPNMGR // // MessageText: // // Display adapter in question does not have an associated VidPN manager. // const auto STATUS_GRAPHICS_NO_VIDPNMGR = (cast(NTSTATUS)0xC01E0335L); // // MessageId: STATUS_GRAPHICS_NO_ACTIVE_VIDPN // // MessageText: // // VidPN manager of the display adapter in question does not have an active VidPN. // const auto STATUS_GRAPHICS_NO_ACTIVE_VIDPN = (cast(NTSTATUS)0xC01E0336L); // // MessageId: STATUS_GRAPHICS_STALE_VIDPN_TOPOLOGY // // MessageText: // // Specified VidPN topology is stale. Please reacquire the new topology. // const auto STATUS_GRAPHICS_STALE_VIDPN_TOPOLOGY = (cast(NTSTATUS)0xC01E0337L); // // MessageId: STATUS_GRAPHICS_MONITOR_NOT_CONNECTED // // MessageText: // // There is no monitor connected on the specified video present target. // const auto STATUS_GRAPHICS_MONITOR_NOT_CONNECTED = (cast(NTSTATUS)0xC01E0338L); // // MessageId: STATUS_GRAPHICS_SOURCE_NOT_IN_TOPOLOGY // // MessageText: // // Specified source is not part of the specified VidPN's topology. // const auto STATUS_GRAPHICS_SOURCE_NOT_IN_TOPOLOGY = (cast(NTSTATUS)0xC01E0339L); // // MessageId: STATUS_GRAPHICS_INVALID_PRIMARYSURFACE_SIZE // // MessageText: // // Specified primary surface size is invalid. // const auto STATUS_GRAPHICS_INVALID_PRIMARYSURFACE_SIZE = (cast(NTSTATUS)0xC01E033AL); // // MessageId: STATUS_GRAPHICS_INVALID_VISIBLEREGION_SIZE // // MessageText: // // Specified visible region size is invalid. // const auto STATUS_GRAPHICS_INVALID_VISIBLEREGION_SIZE = (cast(NTSTATUS)0xC01E033BL); // // MessageId: STATUS_GRAPHICS_INVALID_STRIDE // // MessageText: // // Specified stride is invalid. // const auto STATUS_GRAPHICS_INVALID_STRIDE = (cast(NTSTATUS)0xC01E033CL); // // MessageId: STATUS_GRAPHICS_INVALID_PIXELFORMAT // // MessageText: // // Specified pixel format is invalid. // const auto STATUS_GRAPHICS_INVALID_PIXELFORMAT = (cast(NTSTATUS)0xC01E033DL); // // MessageId: STATUS_GRAPHICS_INVALID_COLORBASIS // // MessageText: // // Specified color basis is invalid. // const auto STATUS_GRAPHICS_INVALID_COLORBASIS = (cast(NTSTATUS)0xC01E033EL); // // MessageId: STATUS_GRAPHICS_INVALID_PIXELVALUEACCESSMODE // // MessageText: // // Specified pixel value access mode is invalid. // const auto STATUS_GRAPHICS_INVALID_PIXELVALUEACCESSMODE = (cast(NTSTATUS)0xC01E033FL); // // MessageId: STATUS_GRAPHICS_TARGET_NOT_IN_TOPOLOGY // // MessageText: // // Specified target is not part of the specified VidPN's topology. // const auto STATUS_GRAPHICS_TARGET_NOT_IN_TOPOLOGY = (cast(NTSTATUS)0xC01E0340L); // // MessageId: STATUS_GRAPHICS_NO_DISPLAY_MODE_MANAGEMENT_SUPPORT // // MessageText: // // Failed to acquire display mode management interface. // const auto STATUS_GRAPHICS_NO_DISPLAY_MODE_MANAGEMENT_SUPPORT = (cast(NTSTATUS)0xC01E0341L); // // MessageId: STATUS_GRAPHICS_VIDPN_SOURCE_IN_USE // // MessageText: // // Specified VidPN source is already owned by a DMM client and cannot be used until that client releases it. // const auto STATUS_GRAPHICS_VIDPN_SOURCE_IN_USE = (cast(NTSTATUS)0xC01E0342L); // // MessageId: STATUS_GRAPHICS_CANT_ACCESS_ACTIVE_VIDPN // // MessageText: // // Specified VidPN is active and cannot be accessed. // const auto STATUS_GRAPHICS_CANT_ACCESS_ACTIVE_VIDPN = (cast(NTSTATUS)0xC01E0343L); // // MessageId: STATUS_GRAPHICS_INVALID_PATH_IMPORTANCE_ORDINAL // // MessageText: // // Specified VidPN present path importance ordinal is invalid. // const auto STATUS_GRAPHICS_INVALID_PATH_IMPORTANCE_ORDINAL = (cast(NTSTATUS)0xC01E0344L); // // MessageId: STATUS_GRAPHICS_INVALID_PATH_CONTENT_GEOMETRY_TRANSFORMATION // // MessageText: // // Specified VidPN present path content geometry transformation is invalid. // const auto STATUS_GRAPHICS_INVALID_PATH_CONTENT_GEOMETRY_TRANSFORMATION = (cast(NTSTATUS)0xC01E0345L); // // MessageId: STATUS_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_SUPPORTED // // MessageText: // // Specified content geometry transformation is not supported on the respective VidPN present path. // const auto STATUS_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0346L); // // MessageId: STATUS_GRAPHICS_INVALID_GAMMA_RAMP // // MessageText: // // Specified gamma ramp is invalid. // const auto STATUS_GRAPHICS_INVALID_GAMMA_RAMP = (cast(NTSTATUS)0xC01E0347L); // // MessageId: STATUS_GRAPHICS_GAMMA_RAMP_NOT_SUPPORTED // // MessageText: // // Specified gamma ramp is not supported on the respective VidPN present path. // const auto STATUS_GRAPHICS_GAMMA_RAMP_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0348L); // // MessageId: STATUS_GRAPHICS_MULTISAMPLING_NOT_SUPPORTED // // MessageText: // // Multi-sampling is not supported on the respective VidPN present path. // const auto STATUS_GRAPHICS_MULTISAMPLING_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0349L); // // MessageId: STATUS_GRAPHICS_MODE_NOT_IN_MODESET // // MessageText: // // Specified mode is not in the specified mode set. // const auto STATUS_GRAPHICS_MODE_NOT_IN_MODESET = (cast(NTSTATUS)0xC01E034AL); // // MessageId: STATUS_GRAPHICS_DATASET_IS_EMPTY // // MessageText: // // Specified data set (e.g. mode set, frequency range set, descriptor set, topology, etc.) is empty. // const auto STATUS_GRAPHICS_DATASET_IS_EMPTY = (cast(NTSTATUS)0x401E034BL); // // MessageId: STATUS_GRAPHICS_NO_MORE_ELEMENTS_IN_DATASET // // MessageText: // // Specified data set (e.g. mode set, frequency range set, descriptor set, topology, etc.) does not contain any more elements. // const auto STATUS_GRAPHICS_NO_MORE_ELEMENTS_IN_DATASET = (cast(NTSTATUS)0x401E034CL); // // MessageId: STATUS_GRAPHICS_INVALID_VIDPN_TOPOLOGY_RECOMMENDATION_REASON // // MessageText: // // Specified VidPN topology recommendation reason is invalid. // const auto STATUS_GRAPHICS_INVALID_VIDPN_TOPOLOGY_RECOMMENDATION_REASON = (cast(NTSTATUS)0xC01E034DL); // // MessageId: STATUS_GRAPHICS_INVALID_PATH_CONTENT_TYPE // // MessageText: // // Specified VidPN present path content type is invalid. // const auto STATUS_GRAPHICS_INVALID_PATH_CONTENT_TYPE = (cast(NTSTATUS)0xC01E034EL); // // MessageId: STATUS_GRAPHICS_INVALID_COPYPROTECTION_TYPE // // MessageText: // // Specified VidPN present path copy protection type is invalid. // const auto STATUS_GRAPHICS_INVALID_COPYPROTECTION_TYPE = (cast(NTSTATUS)0xC01E034FL); // // MessageId: STATUS_GRAPHICS_UNASSIGNED_MODESET_ALREADY_EXISTS // // MessageText: // // No more than one unassigned mode set can exist at any given time for a given VidPN source/target. // const auto STATUS_GRAPHICS_UNASSIGNED_MODESET_ALREADY_EXISTS = (cast(NTSTATUS)0xC01E0350L); // // MessageId: STATUS_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_PINNED // // MessageText: // // Specified content transformation is not pinned on the specified VidPN present path. // const auto STATUS_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_PINNED = (cast(NTSTATUS)0x401E0351L); // // MessageId: STATUS_GRAPHICS_INVALID_SCANLINE_ORDERING // // MessageText: // // Specified scanline ordering type is invalid. // const auto STATUS_GRAPHICS_INVALID_SCANLINE_ORDERING = (cast(NTSTATUS)0xC01E0352L); // // MessageId: STATUS_GRAPHICS_TOPOLOGY_CHANGES_NOT_ALLOWED // // MessageText: // // Topology changes are not allowed for the specified VidPN. // const auto STATUS_GRAPHICS_TOPOLOGY_CHANGES_NOT_ALLOWED = (cast(NTSTATUS)0xC01E0353L); // // MessageId: STATUS_GRAPHICS_NO_AVAILABLE_IMPORTANCE_ORDINALS // // MessageText: // // All available importance ordinals are already used in specified topology. // const auto STATUS_GRAPHICS_NO_AVAILABLE_IMPORTANCE_ORDINALS = (cast(NTSTATUS)0xC01E0354L); // // MessageId: STATUS_GRAPHICS_INCOMPATIBLE_PRIVATE_FORMAT // // MessageText: // // Specified primary surface has a different private format attribute than the current primary surface // const auto STATUS_GRAPHICS_INCOMPATIBLE_PRIVATE_FORMAT = (cast(NTSTATUS)0xC01E0355L); // // MessageId: STATUS_GRAPHICS_INVALID_MODE_PRUNING_ALGORITHM // // MessageText: // // Specified mode pruning algorithm is invalid // const auto STATUS_GRAPHICS_INVALID_MODE_PRUNING_ALGORITHM = (cast(NTSTATUS)0xC01E0356L); // // MessageId: STATUS_GRAPHICS_INVALID_MONITOR_CAPABILITY_ORIGIN // // MessageText: // // Specified monitor capability origin is invalid. // const auto STATUS_GRAPHICS_INVALID_MONITOR_CAPABILITY_ORIGIN = (cast(NTSTATUS)0xC01E0357L); // // MessageId: STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE_CONSTRAINT // // MessageText: // // Specified monitor frequency range constraint is invalid. // const auto STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE_CONSTRAINT = (cast(NTSTATUS)0xC01E0358L); // // MessageId: STATUS_GRAPHICS_MAX_NUM_PATHS_REACHED // // MessageText: // // Maximum supported number of present paths has been reached. // const auto STATUS_GRAPHICS_MAX_NUM_PATHS_REACHED = (cast(NTSTATUS)0xC01E0359L); // // MessageId: STATUS_GRAPHICS_CANCEL_VIDPN_TOPOLOGY_AUGMENTATION // // MessageText: // // Miniport requested that augmentation be cancelled for the specified source of the specified VidPN's topology. // const auto STATUS_GRAPHICS_CANCEL_VIDPN_TOPOLOGY_AUGMENTATION = (cast(NTSTATUS)0xC01E035AL); // // MessageId: STATUS_GRAPHICS_INVALID_CLIENT_TYPE // // MessageText: // // Specified client type was not recognized. // const auto STATUS_GRAPHICS_INVALID_CLIENT_TYPE = (cast(NTSTATUS)0xC01E035BL); // // MessageId: STATUS_GRAPHICS_CLIENTVIDPN_NOT_SET // // MessageText: // // Client VidPN is not set on this adapter (e.g. no user mode initiated mode changes took place on this adapter yet). // const auto STATUS_GRAPHICS_CLIENTVIDPN_NOT_SET = (cast(NTSTATUS)0xC01E035CL); // // Port specific status codes {0x0400..0x04ff} // // // MessageId: STATUS_GRAPHICS_SPECIFIED_CHILD_ALREADY_CONNECTED // // MessageText: // // Specified display adapter child device already has an external device connected to it. // const auto STATUS_GRAPHICS_SPECIFIED_CHILD_ALREADY_CONNECTED = (cast(NTSTATUS)0xC01E0400L) ; // // MessageId: STATUS_GRAPHICS_CHILD_DESCRIPTOR_NOT_SUPPORTED // // MessageText: // // Specified display adapter child device does not support descriptor exposure. // const auto STATUS_GRAPHICS_CHILD_DESCRIPTOR_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0401L) ; // // MessageId: STATUS_GRAPHICS_UNKNOWN_CHILD_STATUS // // MessageText: // // Child device presence was not reliably detected. // const auto STATUS_GRAPHICS_UNKNOWN_CHILD_STATUS = (cast(NTSTATUS)0x401E042FL); // // MessageId: STATUS_GRAPHICS_NOT_A_LINKED_ADAPTER // // MessageText: // // The display adapter is not linked to any other adapters. // const auto STATUS_GRAPHICS_NOT_A_LINKED_ADAPTER = (cast(NTSTATUS)0xC01E0430L); // // MessageId: STATUS_GRAPHICS_LEADLINK_NOT_ENUMERATED // // MessageText: // // Lead adapter in a linked configuration was not enumerated yet. // const auto STATUS_GRAPHICS_LEADLINK_NOT_ENUMERATED = (cast(NTSTATUS)0xC01E0431L); // // MessageId: STATUS_GRAPHICS_CHAINLINKS_NOT_ENUMERATED // // MessageText: // // Some chain adapters in a linked configuration were not enumerated yet. // const auto STATUS_GRAPHICS_CHAINLINKS_NOT_ENUMERATED = (cast(NTSTATUS)0xC01E0432L); // // MessageId: STATUS_GRAPHICS_ADAPTER_CHAIN_NOT_READY // // MessageText: // // The chain of linked adapters is not ready to start because of an unknown failure. // const auto STATUS_GRAPHICS_ADAPTER_CHAIN_NOT_READY = (cast(NTSTATUS)0xC01E0433L); // // MessageId: STATUS_GRAPHICS_CHAINLINKS_NOT_STARTED // // MessageText: // // An attempt was made to start a lead link display adapter when the chain links were not started yet. // const auto STATUS_GRAPHICS_CHAINLINKS_NOT_STARTED = (cast(NTSTATUS)0xC01E0434L); // // MessageId: STATUS_GRAPHICS_CHAINLINKS_NOT_POWERED_ON // // MessageText: // // An attempt was made to power up a lead link display adapter when the chain links were powered down. // const auto STATUS_GRAPHICS_CHAINLINKS_NOT_POWERED_ON = (cast(NTSTATUS)0xC01E0435L); // // MessageId: STATUS_GRAPHICS_INCONSISTENT_DEVICE_LINK_STATE // // MessageText: // // The adapter link was found to be in an inconsistent state. Not all adapters are in an expected PNP/Power state. // const auto STATUS_GRAPHICS_INCONSISTENT_DEVICE_LINK_STATE = (cast(NTSTATUS)0xC01E0436L); // // MessageId: STATUS_GRAPHICS_LEADLINK_START_DEFERRED // // MessageText: // // Starting the leadlink adapter has been deferred temporarily. // const auto STATUS_GRAPHICS_LEADLINK_START_DEFERRED = (cast(NTSTATUS)0x401E0437L); // // MessageId: STATUS_GRAPHICS_NOT_POST_DEVICE_DRIVER // // MessageText: // // The driver trying to start is not the same as the driver for the POSTed display adapter. // const auto STATUS_GRAPHICS_NOT_POST_DEVICE_DRIVER = (cast(NTSTATUS)0xC01E0438L); // // MessageId: STATUS_GRAPHICS_POLLING_TOO_FREQUENTLY // // MessageText: // // The display adapter is being polled for children too frequently at the same polling level. // const auto STATUS_GRAPHICS_POLLING_TOO_FREQUENTLY = (cast(NTSTATUS)0x401E0439L); // // MessageId: STATUS_GRAPHICS_START_DEFERRED // // MessageText: // // Starting the adapter has been deferred temporarily. // const auto STATUS_GRAPHICS_START_DEFERRED = (cast(NTSTATUS)0x401E043AL); // // MessageId: STATUS_GRAPHICS_ADAPTER_ACCESS_NOT_EXCLUDED // // MessageText: // // An operation is being attempted that requires the display adapter to be in a quiescent state. // const auto STATUS_GRAPHICS_ADAPTER_ACCESS_NOT_EXCLUDED = (cast(NTSTATUS)0xC01E043BL); // // OPM, PVP and UAB status codes {0x0500..0x057F} // // // MessageId: STATUS_GRAPHICS_OPM_NOT_SUPPORTED // // MessageText: // // The driver does not support OPM. // const auto STATUS_GRAPHICS_OPM_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0500L) ; // // MessageId: STATUS_GRAPHICS_COPP_NOT_SUPPORTED // // MessageText: // // The driver does not support COPP. // const auto STATUS_GRAPHICS_COPP_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0501L) ; // // MessageId: STATUS_GRAPHICS_UAB_NOT_SUPPORTED // // MessageText: // // The driver does not support UAB. // const auto STATUS_GRAPHICS_UAB_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0502L) ; // // MessageId: STATUS_GRAPHICS_OPM_INVALID_ENCRYPTED_PARAMETERS // // MessageText: // // The specified encrypted parameters are invalid. // const auto STATUS_GRAPHICS_OPM_INVALID_ENCRYPTED_PARAMETERS = (cast(NTSTATUS)0xC01E0503L) ; // // MessageId: STATUS_GRAPHICS_OPM_NO_PROTECTED_OUTPUTS_EXIST // // MessageText: // // The GDI display device passed to this function does not have any active protected outputs. // const auto STATUS_GRAPHICS_OPM_NO_PROTECTED_OUTPUTS_EXIST = (cast(NTSTATUS)0xC01E0505L); // // MessageId: STATUS_GRAPHICS_OPM_INTERNAL_ERROR // // MessageText: // // An internal error caused an operation to fail. // const auto STATUS_GRAPHICS_OPM_INTERNAL_ERROR = (cast(NTSTATUS)0xC01E050BL); // // MessageId: STATUS_GRAPHICS_OPM_INVALID_HANDLE // // MessageText: // // The function failed because the caller passed in an invalid OPM user mode handle. // const auto STATUS_GRAPHICS_OPM_INVALID_HANDLE = (cast(NTSTATUS)0xC01E050CL); // // MessageId: STATUS_GRAPHICS_PVP_INVALID_CERTIFICATE_LENGTH // // MessageText: // // A certificate could not be returned because the certificate buffer passed to the function was too small. // const auto STATUS_GRAPHICS_PVP_INVALID_CERTIFICATE_LENGTH = (cast(NTSTATUS)0xC01E050EL); // // MessageId: STATUS_GRAPHICS_OPM_SPANNING_MODE_ENABLED // // MessageText: // // The DxgkDdiOpmCreateProtectedOutput function could not create a protected output because the Video Present Target is in spanning mode. // const auto STATUS_GRAPHICS_OPM_SPANNING_MODE_ENABLED = (cast(NTSTATUS)0xC01E050FL); // // MessageId: STATUS_GRAPHICS_OPM_THEATER_MODE_ENABLED // // MessageText: // // The DxgkDdiOpmCreateProtectedOutput function could not create a protected output because the Video Present Target is in theater mode. // const auto STATUS_GRAPHICS_OPM_THEATER_MODE_ENABLED = (cast(NTSTATUS)0xC01E0510L); // // MessageId: STATUS_GRAPHICS_PVP_HFS_FAILED // // MessageText: // // The function failed because the display adapter's Hardware Functionality Scan failed to validate the graphics hardware. // const auto STATUS_GRAPHICS_PVP_HFS_FAILED = (cast(NTSTATUS)0xC01E0511L); // // MessageId: STATUS_GRAPHICS_OPM_INVALID_SRM // // MessageText: // // The HDCP System Renewability Message passed to this function did not comply with section 5 of the HDCP 1.1 specification. // const auto STATUS_GRAPHICS_OPM_INVALID_SRM = (cast(NTSTATUS)0xC01E0512L); // // MessageId: STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_HDCP // // MessageText: // // The protected output cannot enable the High-bandwidth Digital Content Protection (HDCP) System because it does not support HDCP. // const auto STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_HDCP = (cast(NTSTATUS)0xC01E0513L); // // MessageId: STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_ACP // // MessageText: // // The protected output cannot enable Analogue Copy Protection (ACP) because it does not support ACP. // const auto STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_ACP = (cast(NTSTATUS)0xC01E0514L); // // MessageId: STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_CGMSA // // MessageText: // // The protected output cannot enable the Content Generation Management System Analogue (CGMS-A) protection technology because it does not support CGMS-A. // const auto STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_CGMSA = (cast(NTSTATUS)0xC01E0515L); // // MessageId: STATUS_GRAPHICS_OPM_HDCP_SRM_NEVER_SET // // MessageText: // // The DxgkDdiOPMGetInformation function cannot return the version of the SRM being used because the application never successfully passed an SRM to the protected output. // const auto STATUS_GRAPHICS_OPM_HDCP_SRM_NEVER_SET = (cast(NTSTATUS)0xC01E0516L); // // MessageId: STATUS_GRAPHICS_OPM_RESOLUTION_TOO_HIGH // // MessageText: // // The DxgkDdiOPMConfigureProtectedOutput function cannot enable the specified output protection technology because the output's screen resolution is too high. // const auto STATUS_GRAPHICS_OPM_RESOLUTION_TOO_HIGH = (cast(NTSTATUS)0xC01E0517L); // // MessageId: STATUS_GRAPHICS_OPM_ALL_HDCP_HARDWARE_ALREADY_IN_USE // // MessageText: // // The DxgkDdiOPMConfigureProtectedOutput function cannot enable HDCP because the display adapter's HDCP hardware is already being used by other physical outputs. // const auto STATUS_GRAPHICS_OPM_ALL_HDCP_HARDWARE_ALREADY_IN_USE = (cast(NTSTATUS)0xC01E0518L); // // MessageId: STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_NO_LONGER_EXISTS // // MessageText: // // The operating system asynchronously destroyed this OPM protected output because the operating system's state changed. This error typically occurs because the monitor PDO associated with this protected output was removed, the monitor PDO associated with this protected output was stopped, or the protected output's session became a non-console session. // const auto STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_NO_LONGER_EXISTS = (cast(NTSTATUS)0xC01E051AL); // // MessageId: STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_DOES_NOT_HAVE_COPP_SEMANTICS // // MessageText: // // Either the DxgkDdiOPMGetCOPPCompatibleInformation, DxgkDdiOPMGetInformation, or DxgkDdiOPMConfigureProtectedOutput function failed. This error is only returned if a protected output has OPM semantics. DxgkDdiOPMGetCOPPCompatibleInformation always returns this error if a protected output has OPM semantics. DxgkDdiOPMGetInformation returns this error code if the caller requested COPP specific information. DxgkDdiOPMConfigureProtectedOutput returns this error when the caller tries to use a COPP specific command. // const auto STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_DOES_NOT_HAVE_COPP_SEMANTICS = (cast(NTSTATUS)0xC01E051CL); // // MessageId: STATUS_GRAPHICS_OPM_INVALID_INFORMATION_REQUEST // // MessageText: // // The DxgkDdiOPMGetInformation and DxgkDdiOPMGetCOPPCompatibleInformation functions return this error code if the passed in sequence number is not the expected sequence number or the passed in OMAC value is invalid. // const auto STATUS_GRAPHICS_OPM_INVALID_INFORMATION_REQUEST = (cast(NTSTATUS)0xC01E051DL); // // MessageId: STATUS_GRAPHICS_OPM_DRIVER_INTERNAL_ERROR // // MessageText: // // The function failed because an unexpected error occurred inside of a display driver. // const auto STATUS_GRAPHICS_OPM_DRIVER_INTERNAL_ERROR = (cast(NTSTATUS)0xC01E051EL); // // MessageId: STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_DOES_NOT_HAVE_OPM_SEMANTICS // // MessageText: // // Either the DxgkDdiOPMGetCOPPCompatibleInformation, DxgkDdiOPMGetInformation, or DxgkDdiOPMConfigureProtectedOutput function failed. This error is only returned if a protected output has COPP semantics. DxgkDdiOPMGetCOPPCompatibleInformation returns this error code if the caller requested OPM specific information. DxgkDdiOPMGetInformation always returns this error if a protected output has COPP semantics. DxgkDdiOPMConfigureProtectedOutput returns this error when the caller tries to use an OPM specific command. // const auto STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_DOES_NOT_HAVE_OPM_SEMANTICS = (cast(NTSTATUS)0xC01E051FL); // // MessageId: STATUS_GRAPHICS_OPM_SIGNALING_NOT_SUPPORTED // // MessageText: // // The DxgkDdiOPMGetCOPPCompatibleInformation and DxgkDdiOPMConfigureProtectedOutput functions return this error if the display driver does not support the DXGKMDT_OPM_GET_ACP_AND_CGMSA_SIGNALING and DXGKMDT_OPM_SET_ACP_AND_CGMSA_SIGNALING GUIDs. // const auto STATUS_GRAPHICS_OPM_SIGNALING_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0520L); // // MessageId: STATUS_GRAPHICS_OPM_INVALID_CONFIGURATION_REQUEST // // MessageText: // // The DxgkDdiOPMConfigureProtectedOutput function returns this error code if the passed in sequence number is not the expected sequence number or the passed in OMAC value is invalid. // const auto STATUS_GRAPHICS_OPM_INVALID_CONFIGURATION_REQUEST = (cast(NTSTATUS)0xC01E0521L); // // Monitor Configuration API status codes {0x0580..0x05DF} // // // MessageId: STATUS_GRAPHICS_I2C_NOT_SUPPORTED // // MessageText: // // The monitor connected to the specified video output does not have an I2C bus. // const auto STATUS_GRAPHICS_I2C_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0580L) ; // // MessageId: STATUS_GRAPHICS_I2C_DEVICE_DOES_NOT_EXIST // // MessageText: // // No device on the I2C bus has the specified address. // const auto STATUS_GRAPHICS_I2C_DEVICE_DOES_NOT_EXIST = (cast(NTSTATUS)0xC01E0581L) ; // // MessageId: STATUS_GRAPHICS_I2C_ERROR_TRANSMITTING_DATA // // MessageText: // // An error occurred while transmitting data to the device on the I2C bus. // const auto STATUS_GRAPHICS_I2C_ERROR_TRANSMITTING_DATA = (cast(NTSTATUS)0xC01E0582L) ; // // MessageId: STATUS_GRAPHICS_I2C_ERROR_RECEIVING_DATA // // MessageText: // // An error occurred while receiving data from the device on the I2C bus. // const auto STATUS_GRAPHICS_I2C_ERROR_RECEIVING_DATA = (cast(NTSTATUS)0xC01E0583L) ; // // MessageId: STATUS_GRAPHICS_DDCCI_VCP_NOT_SUPPORTED // // MessageText: // // The monitor does not support the specified VCP code. // const auto STATUS_GRAPHICS_DDCCI_VCP_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E0584L) ; // // MessageId: STATUS_GRAPHICS_DDCCI_INVALID_DATA // // MessageText: // // The data received from the monitor is invalid. // const auto STATUS_GRAPHICS_DDCCI_INVALID_DATA = (cast(NTSTATUS)0xC01E0585L) ; // // MessageId: STATUS_GRAPHICS_DDCCI_MONITOR_RETURNED_INVALID_TIMING_STATUS_BYTE // // MessageText: // // The function failed because a monitor returned an invalid Timing Status byte when the operating system used the DDC/CI Get Timing Report & Timing Message command to get a timing report from a monitor. // const auto STATUS_GRAPHICS_DDCCI_MONITOR_RETURNED_INVALID_TIMING_STATUS_BYTE = (cast(NTSTATUS)0xC01E0586L); // // MessageId: STATUS_GRAPHICS_DDCCI_INVALID_CAPABILITIES_STRING // // MessageText: // // A monitor returned a DDC/CI capabilities string which did not comply with the ACCESS.bus 3.0, DDC/CI 1.1, or MCCS 2 Revision 1 specification. // const auto STATUS_GRAPHICS_DDCCI_INVALID_CAPABILITIES_STRING = (cast(NTSTATUS)0xC01E0587L); // // MessageId: STATUS_GRAPHICS_MCA_INTERNAL_ERROR // // MessageText: // // An internal error caused an operation to fail. // const auto STATUS_GRAPHICS_MCA_INTERNAL_ERROR = (cast(NTSTATUS)0xC01E0588L); // // MessageId: STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_COMMAND // // MessageText: // // An operation failed because a DDC/CI message had an invalid value in its command field. // const auto STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_COMMAND = (cast(NTSTATUS)0xC01E0589L); // // MessageId: STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_LENGTH // // MessageText: // // An error occurred because the field length of a DDC/CI message contained an invalid value. // const auto STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_LENGTH = (cast(NTSTATUS)0xC01E058AL); // // MessageId: STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_CHECKSUM // // MessageText: // // An error occurred because the checksum field in a DDC/CI message did not match the message's computed checksum value. This error implies that the data was corrupted while it was being transmitted from a monitor to a computer. // const auto STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_CHECKSUM = (cast(NTSTATUS)0xC01E058BL); // // MessageId: STATUS_GRAPHICS_INVALID_PHYSICAL_MONITOR_HANDLE // // MessageText: // // This function failed because an invalid monitor handle was passed to it. // const auto STATUS_GRAPHICS_INVALID_PHYSICAL_MONITOR_HANDLE = (cast(NTSTATUS)0xC01E058CL); // // MessageId: STATUS_GRAPHICS_MONITOR_NO_LONGER_EXISTS // // MessageText: // // The operating system asynchronously destroyed the monitor which corresponds to this handle because the operating system's state changed. This error typically occurs because the monitor PDO associated with this handle was removed, the monitor PDO associated with this handle was stopped, or a display mode change occurred. A display mode change occurs when windows sends a WM_DISPLAYCHANGE windows message to applications. // const auto STATUS_GRAPHICS_MONITOR_NO_LONGER_EXISTS = (cast(NTSTATUS)0xC01E058DL); // // OPM, UAB, PVP and DDC/CI shared status codes {0x25E0..0x25FF} // // // MessageId: STATUS_GRAPHICS_ONLY_CONSOLE_SESSION_SUPPORTED // // MessageText: // // This function can only be used if a program is running in the local console session. It cannot be used if a program is running on a remote desktop session or on a terminal server session. // const auto STATUS_GRAPHICS_ONLY_CONSOLE_SESSION_SUPPORTED = (cast(NTSTATUS)0xC01E05E0L); // // MessageId: STATUS_GRAPHICS_NO_DISPLAY_DEVICE_CORRESPONDS_TO_NAME // // MessageText: // // This function cannot find an actual GDI display device which corresponds to the specified GDI display device name. // const auto STATUS_GRAPHICS_NO_DISPLAY_DEVICE_CORRESPONDS_TO_NAME = (cast(NTSTATUS)0xC01E05E1L); // // MessageId: STATUS_GRAPHICS_DISPLAY_DEVICE_NOT_ATTACHED_TO_DESKTOP // // MessageText: // // The function failed because the specified GDI display device was not attached to the Windows desktop. // const auto STATUS_GRAPHICS_DISPLAY_DEVICE_NOT_ATTACHED_TO_DESKTOP = (cast(NTSTATUS)0xC01E05E2L); // // MessageId: STATUS_GRAPHICS_MIRRORING_DEVICES_NOT_SUPPORTED // // MessageText: // // This function does not support GDI mirroring display devices because GDI mirroring display devices do not have any physical monitors associated with them. // const auto STATUS_GRAPHICS_MIRRORING_DEVICES_NOT_SUPPORTED = (cast(NTSTATUS)0xC01E05E3L); // // MessageId: STATUS_GRAPHICS_INVALID_POINTER // // MessageText: // // The function failed because an invalid pointer parameter was passed to it. A pointer parameter is invalid if it is NULL, it points to an invalid address, it points to a kernel mode address or it is not correctly aligned. // const auto STATUS_GRAPHICS_INVALID_POINTER = (cast(NTSTATUS)0xC01E05E4L); // // MessageId: STATUS_GRAPHICS_NO_MONITORS_CORRESPOND_TO_DISPLAY_DEVICE // // MessageText: // // This function failed because the GDI device passed to it did not have any monitors associated with it. // const auto STATUS_GRAPHICS_NO_MONITORS_CORRESPOND_TO_DISPLAY_DEVICE = (cast(NTSTATUS)0xC01E05E5L); // // MessageId: STATUS_GRAPHICS_PARAMETER_ARRAY_TOO_SMALL // // MessageText: // // An array passed to the function cannot hold all of the data that the function must copy into the array. // const auto STATUS_GRAPHICS_PARAMETER_ARRAY_TOO_SMALL = (cast(NTSTATUS)0xC01E05E6L); // // MessageId: STATUS_GRAPHICS_INTERNAL_ERROR // // MessageText: // // An internal error caused an operation to fail. // const auto STATUS_GRAPHICS_INTERNAL_ERROR = (cast(NTSTATUS)0xC01E05E7L); // // MessageId: STATUS_GRAPHICS_SESSION_TYPE_CHANGE_IN_PROGRESS // // MessageText: // // The function failed because the current session is changing its type. This function cannot be called when the current session is changing its type. There are currently three types of sessions: console, disconnected and remote (RDP or ICA). // const auto STATUS_GRAPHICS_SESSION_TYPE_CHANGE_IN_PROGRESS = (cast(NTSTATUS)0xC01E05E8L); // // Full Volume Encryption Error codes (fvevol.sys) // // // MessageId: STATUS_FVE_LOCKED_VOLUME // // MessageText: // // This volume is locked by BitLocker Drive Encryption. // const auto STATUS_FVE_LOCKED_VOLUME = (cast(NTSTATUS)0xC0210000L); // // MessageId: STATUS_FVE_NOT_ENCRYPTED // // MessageText: // // The volume is not encrypted, no key is available. // const auto STATUS_FVE_NOT_ENCRYPTED = (cast(NTSTATUS)0xC0210001L); // // MessageId: STATUS_FVE_BAD_INFORMATION // // MessageText: // // The control block for the encrypted volume is not valid. // const auto STATUS_FVE_BAD_INFORMATION = (cast(NTSTATUS)0xC0210002L); // // MessageId: STATUS_FVE_TOO_SMALL // // MessageText: // // The volume cannot be encrypted because it does not have enough free space. // const auto STATUS_FVE_TOO_SMALL = (cast(NTSTATUS)0xC0210003L); // // MessageId: STATUS_FVE_FAILED_WRONG_FS // // MessageText: // // The volume cannot be encrypted because the file system is not supported. // const auto STATUS_FVE_FAILED_WRONG_FS = (cast(NTSTATUS)0xC0210004L); // // MessageId: STATUS_FVE_FAILED_BAD_FS // // MessageText: // // The file system is corrupt. Run CHKDSK. // const auto STATUS_FVE_FAILED_BAD_FS = (cast(NTSTATUS)0xC0210005L); // // MessageId: STATUS_FVE_FS_NOT_EXTENDED // // MessageText: // // The file system does not extend to the end of the volume. // const auto STATUS_FVE_FS_NOT_EXTENDED = (cast(NTSTATUS)0xC0210006L); // // MessageId: STATUS_FVE_FS_MOUNTED // // MessageText: // // This operation cannot be performed while a file system is mounted on the volume. // const auto STATUS_FVE_FS_MOUNTED = (cast(NTSTATUS)0xC0210007L); // // MessageId: STATUS_FVE_NO_LICENSE // // MessageText: // // BitLocker Drive Encryption is not included with this version of Windows. // const auto STATUS_FVE_NO_LICENSE = (cast(NTSTATUS)0xC0210008L); // // MessageId: STATUS_FVE_ACTION_NOT_ALLOWED // // MessageText: // // Requested action not allowed in the current volume state. // const auto STATUS_FVE_ACTION_NOT_ALLOWED = (cast(NTSTATUS)0xC0210009L); // // MessageId: STATUS_FVE_BAD_DATA // // MessageText: // // Data supplied is malformed. // const auto STATUS_FVE_BAD_DATA = (cast(NTSTATUS)0xC021000AL); // // MessageId: STATUS_FVE_VOLUME_NOT_BOUND // // MessageText: // // The volume is not bound to the system. // const auto STATUS_FVE_VOLUME_NOT_BOUND = (cast(NTSTATUS)0xC021000BL); // // MessageId: STATUS_FVE_NOT_DATA_VOLUME // // MessageText: // // That volume is not a data volume. // const auto STATUS_FVE_NOT_DATA_VOLUME = (cast(NTSTATUS)0xC021000CL); // // MessageId: STATUS_FVE_CONV_READ_ERROR // // MessageText: // // A read operation failed while converting the volume. // const auto STATUS_FVE_CONV_READ_ERROR = (cast(NTSTATUS)0xC021000DL); // // MessageId: STATUS_FVE_CONV_WRITE_ERROR // // MessageText: // // A write operation failed while converting the volume. // const auto STATUS_FVE_CONV_WRITE_ERROR = (cast(NTSTATUS)0xC021000EL); // // MessageId: STATUS_FVE_OVERLAPPED_UPDATE // // MessageText: // // The control block for the encrypted volume was updated by another thread. Try again. // const auto STATUS_FVE_OVERLAPPED_UPDATE = (cast(NTSTATUS)0xC021000FL); // // MessageId: STATUS_FVE_FAILED_SECTOR_SIZE // // MessageText: // // The encryption algorithm does not support the sector size of that volume. // const auto STATUS_FVE_FAILED_SECTOR_SIZE = (cast(NTSTATUS)0xC0210010L); // // MessageId: STATUS_FVE_FAILED_AUTHENTICATION // // MessageText: // // BitLocker recovery authentication failed. // const auto STATUS_FVE_FAILED_AUTHENTICATION = (cast(NTSTATUS)0xC0210011L); // // MessageId: STATUS_FVE_NOT_OS_VOLUME // // MessageText: // // That volume is not the OS volume. // const auto STATUS_FVE_NOT_OS_VOLUME = (cast(NTSTATUS)0xC0210012L); // // MessageId: STATUS_FVE_KEYFILE_NOT_FOUND // // MessageText: // // The BitLocker startup key or recovery password could not be read from external media. // const auto STATUS_FVE_KEYFILE_NOT_FOUND = (cast(NTSTATUS)0xC0210013L); // // MessageId: STATUS_FVE_KEYFILE_INVALID // // MessageText: // // The BitLocker startup key or recovery password file is corrupt or invalid. // const auto STATUS_FVE_KEYFILE_INVALID = (cast(NTSTATUS)0xC0210014L); // // MessageId: STATUS_FVE_KEYFILE_NO_VMK // // MessageText: // // The BitLocker encryption key could not be obtained from the startup key or recovery password. // const auto STATUS_FVE_KEYFILE_NO_VMK = (cast(NTSTATUS)0xC0210015L); // // MessageId: STATUS_FVE_TPM_DISABLED // // MessageText: // // The Trusted Platform Module (TPM) is disabled. // const auto STATUS_FVE_TPM_DISABLED = (cast(NTSTATUS)0xC0210016L); // // MessageId: STATUS_FVE_TPM_SRK_AUTH_NOT_ZERO // // MessageText: // // The authorization data for the Storage Root Key (SRK) of the Trusted Platform Module (TPM) is not zero. // const auto STATUS_FVE_TPM_SRK_AUTH_NOT_ZERO = (cast(NTSTATUS)0xC0210017L); // // MessageId: STATUS_FVE_TPM_INVALID_PCR // // MessageText: // // The system boot information changed or the Trusted Platform Module (TPM) locked out access to BitLocker encryption keys until the computer is restarted. // const auto STATUS_FVE_TPM_INVALID_PCR = (cast(NTSTATUS)0xC0210018L); // // MessageId: STATUS_FVE_TPM_NO_VMK // // MessageText: // // The BitLocker encryption key could not be obtained from the Trusted Platform Module (TPM). // const auto STATUS_FVE_TPM_NO_VMK = (cast(NTSTATUS)0xC0210019L); // // MessageId: STATUS_FVE_PIN_INVALID // // MessageText: // // The BitLocker encryption key could not be obtained from the Trusted Platform Module (TPM) and PIN. // const auto STATUS_FVE_PIN_INVALID = (cast(NTSTATUS)0xC021001AL); // // MessageId: STATUS_FVE_AUTH_INVALID_APPLICATION // // MessageText: // // A boot application hash does not match the hash computed when BitLocker was turned on. // const auto STATUS_FVE_AUTH_INVALID_APPLICATION = (cast(NTSTATUS)0xC021001BL); // // MessageId: STATUS_FVE_AUTH_INVALID_CONFIG // // MessageText: // // The Boot Configuration Data (BCD) settings are not supported or have changed since BitLocker was enabled. // const auto STATUS_FVE_AUTH_INVALID_CONFIG = (cast(NTSTATUS)0xC021001CL); // // MessageId: STATUS_FVE_DEBUGGER_ENABLED // // MessageText: // // Boot debugging is enabled. Run bcdedit to turn it off. // const auto STATUS_FVE_DEBUGGER_ENABLED = (cast(NTSTATUS)0xC021001DL); // // MessageId: STATUS_FVE_DRY_RUN_FAILED // // MessageText: // // The BitLocker encryption key could not be obtained. // const auto STATUS_FVE_DRY_RUN_FAILED = (cast(NTSTATUS)0xC021001EL); // // MessageId: STATUS_FVE_BAD_METADATA_POINTER // // MessageText: // // The metadata disk region pointer is incorrect. // const auto STATUS_FVE_BAD_METADATA_POINTER = (cast(NTSTATUS)0xC021001FL); // // MessageId: STATUS_FVE_OLD_METADATA_COPY // // MessageText: // // The backup copy of the metadata is out of date. // const auto STATUS_FVE_OLD_METADATA_COPY = (cast(NTSTATUS)0xC0210020L); // // MessageId: STATUS_FVE_REBOOT_REQUIRED // // MessageText: // // No action was taken as a system reboot is required. // const auto STATUS_FVE_REBOOT_REQUIRED = (cast(NTSTATUS)0xC0210021L); // // MessageId: STATUS_FVE_RAW_ACCESS // // MessageText: // // No action was taken as BitLocker Drive Encryption is in RAW access mode. // const auto STATUS_FVE_RAW_ACCESS = (cast(NTSTATUS)0xC0210022L); // // MessageId: STATUS_FVE_RAW_BLOCKED // // MessageText: // // BitLocker Drive Encryption cannot enter raw access mode for this volume. // const auto STATUS_FVE_RAW_BLOCKED = (cast(NTSTATUS)0xC0210023L); // // FWP error codes (fwpkclnt.sys) // // // MessageId: STATUS_FWP_CALLOUT_NOT_FOUND // // MessageText: // // The callout does not exist. // const auto STATUS_FWP_CALLOUT_NOT_FOUND = (cast(NTSTATUS)0xC0220001L); // // MessageId: STATUS_FWP_CONDITION_NOT_FOUND // // MessageText: // // The filter condition does not exist. // const auto STATUS_FWP_CONDITION_NOT_FOUND = (cast(NTSTATUS)0xC0220002L); // // MessageId: STATUS_FWP_FILTER_NOT_FOUND // // MessageText: // // The filter does not exist. // const auto STATUS_FWP_FILTER_NOT_FOUND = (cast(NTSTATUS)0xC0220003L); // // MessageId: STATUS_FWP_LAYER_NOT_FOUND // // MessageText: // // The layer does not exist. // const auto STATUS_FWP_LAYER_NOT_FOUND = (cast(NTSTATUS)0xC0220004L); // // MessageId: STATUS_FWP_PROVIDER_NOT_FOUND // // MessageText: // // The provider does not exist. // const auto STATUS_FWP_PROVIDER_NOT_FOUND = (cast(NTSTATUS)0xC0220005L); // // MessageId: STATUS_FWP_PROVIDER_CONTEXT_NOT_FOUND // // MessageText: // // The provider context does not exist. // const auto STATUS_FWP_PROVIDER_CONTEXT_NOT_FOUND = (cast(NTSTATUS)0xC0220006L); // // MessageId: STATUS_FWP_SUBLAYER_NOT_FOUND // // MessageText: // // The sublayer does not exist. // const auto STATUS_FWP_SUBLAYER_NOT_FOUND = (cast(NTSTATUS)0xC0220007L); // // MessageId: STATUS_FWP_NOT_FOUND // // MessageText: // // The object does not exist. // const auto STATUS_FWP_NOT_FOUND = (cast(NTSTATUS)0xC0220008L); // // MessageId: STATUS_FWP_ALREADY_EXISTS // // MessageText: // // An object with that GUID or LUID already exists. // const auto STATUS_FWP_ALREADY_EXISTS = (cast(NTSTATUS)0xC0220009L); // // MessageId: STATUS_FWP_IN_USE // // MessageText: // // The object is referenced by other objects so cannot be deleted. // const auto STATUS_FWP_IN_USE = (cast(NTSTATUS)0xC022000AL); // // MessageId: STATUS_FWP_DYNAMIC_SESSION_IN_PROGRESS // // MessageText: // // The call is not allowed from within a dynamic session. // const auto STATUS_FWP_DYNAMIC_SESSION_IN_PROGRESS = (cast(NTSTATUS)0xC022000BL); // // MessageId: STATUS_FWP_WRONG_SESSION // // MessageText: // // The call was made from the wrong session so cannot be completed. // const auto STATUS_FWP_WRONG_SESSION = (cast(NTSTATUS)0xC022000CL); // // MessageId: STATUS_FWP_NO_TXN_IN_PROGRESS // // MessageText: // // The call must be made from within an explicit transaction. // const auto STATUS_FWP_NO_TXN_IN_PROGRESS = (cast(NTSTATUS)0xC022000DL); // // MessageId: STATUS_FWP_TXN_IN_PROGRESS // // MessageText: // // The call is not allowed from within an explicit transaction. // const auto STATUS_FWP_TXN_IN_PROGRESS = (cast(NTSTATUS)0xC022000EL); // // MessageId: STATUS_FWP_TXN_ABORTED // // MessageText: // // The explicit transaction has been forcibly cancelled. // const auto STATUS_FWP_TXN_ABORTED = (cast(NTSTATUS)0xC022000FL); // // MessageId: STATUS_FWP_SESSION_ABORTED // // MessageText: // // The session has been cancelled. // const auto STATUS_FWP_SESSION_ABORTED = (cast(NTSTATUS)0xC0220010L); // // MessageId: STATUS_FWP_INCOMPATIBLE_TXN // // MessageText: // // The call is not allowed from within a read-only transaction. // const auto STATUS_FWP_INCOMPATIBLE_TXN = (cast(NTSTATUS)0xC0220011L); // // MessageId: STATUS_FWP_TIMEOUT // // MessageText: // // The call timed out while waiting to acquire the transaction lock. // const auto STATUS_FWP_TIMEOUT = (cast(NTSTATUS)0xC0220012L); // // MessageId: STATUS_FWP_NET_EVENTS_DISABLED // // MessageText: // // Collection of network diagnostic events is disabled. // const auto STATUS_FWP_NET_EVENTS_DISABLED = (cast(NTSTATUS)0xC0220013L); // // MessageId: STATUS_FWP_INCOMPATIBLE_LAYER // // MessageText: // // The operation is not supported by the specified layer. // const auto STATUS_FWP_INCOMPATIBLE_LAYER = (cast(NTSTATUS)0xC0220014L); // // MessageId: STATUS_FWP_KM_CLIENTS_ONLY // // MessageText: // // The call is allowed for kernel-mode callers only. // const auto STATUS_FWP_KM_CLIENTS_ONLY = (cast(NTSTATUS)0xC0220015L); // // MessageId: STATUS_FWP_LIFETIME_MISMATCH // // MessageText: // // The call tried to associate two objects with incompatible lifetimes. // const auto STATUS_FWP_LIFETIME_MISMATCH = (cast(NTSTATUS)0xC0220016L); // // MessageId: STATUS_FWP_BUILTIN_OBJECT // // MessageText: // // The object is built in so cannot be deleted. // const auto STATUS_FWP_BUILTIN_OBJECT = (cast(NTSTATUS)0xC0220017L); // // MessageId: STATUS_FWP_TOO_MANY_CALLOUTS // // MessageText: // // The maximum number of callouts has been reached. // const auto STATUS_FWP_TOO_MANY_CALLOUTS = (cast(NTSTATUS)0xC0220018L); // // MessageId: STATUS_FWP_NOTIFICATION_DROPPED // // MessageText: // // A notification could not be delivered because a message queue is at its maximum capacity. // const auto STATUS_FWP_NOTIFICATION_DROPPED = (cast(NTSTATUS)0xC0220019L); // // MessageId: STATUS_FWP_TRAFFIC_MISMATCH // // MessageText: // // The traffic parameters do not match those for the security association context. // const auto STATUS_FWP_TRAFFIC_MISMATCH = (cast(NTSTATUS)0xC022001AL); // // MessageId: STATUS_FWP_INCOMPATIBLE_SA_STATE // // MessageText: // // The call is not allowed for the current security association state. // const auto STATUS_FWP_INCOMPATIBLE_SA_STATE = (cast(NTSTATUS)0xC022001BL); // // MessageId: STATUS_FWP_NULL_POINTER // // MessageText: // // A required pointer is null. // const auto STATUS_FWP_NULL_POINTER = (cast(NTSTATUS)0xC022001CL); // // MessageId: STATUS_FWP_INVALID_ENUMERATOR // // MessageText: // // An enumerator is not valid. // const auto STATUS_FWP_INVALID_ENUMERATOR = (cast(NTSTATUS)0xC022001DL); // // MessageId: STATUS_FWP_INVALID_FLAGS // // MessageText: // // The flags field contains an invalid value. // const auto STATUS_FWP_INVALID_FLAGS = (cast(NTSTATUS)0xC022001EL); // // MessageId: STATUS_FWP_INVALID_NET_MASK // // MessageText: // // A network mask is not valid. // const auto STATUS_FWP_INVALID_NET_MASK = (cast(NTSTATUS)0xC022001FL); // // MessageId: STATUS_FWP_INVALID_RANGE // // MessageText: // // An FWP_RANGE is not valid. // const auto STATUS_FWP_INVALID_RANGE = (cast(NTSTATUS)0xC0220020L); // // MessageId: STATUS_FWP_INVALID_INTERVAL // // MessageText: // // The time interval is not valid. // const auto STATUS_FWP_INVALID_INTERVAL = (cast(NTSTATUS)0xC0220021L); // // MessageId: STATUS_FWP_ZERO_LENGTH_ARRAY // // MessageText: // // An array that must contain at least one element is zero length. // const auto STATUS_FWP_ZERO_LENGTH_ARRAY = (cast(NTSTATUS)0xC0220022L); // // MessageId: STATUS_FWP_NULL_DISPLAY_NAME // // MessageText: // // The displayData.name field cannot be null. // const auto STATUS_FWP_NULL_DISPLAY_NAME = (cast(NTSTATUS)0xC0220023L); // // MessageId: STATUS_FWP_INVALID_ACTION_TYPE // // MessageText: // // The action type is not one of the allowed action types for a filter. // const auto STATUS_FWP_INVALID_ACTION_TYPE = (cast(NTSTATUS)0xC0220024L); // // MessageId: STATUS_FWP_INVALID_WEIGHT // // MessageText: // // The filter weight is not valid. // const auto STATUS_FWP_INVALID_WEIGHT = (cast(NTSTATUS)0xC0220025L); // // MessageId: STATUS_FWP_MATCH_TYPE_MISMATCH // // MessageText: // // A filter condition contains a match type that is not compatible with the operands. // const auto STATUS_FWP_MATCH_TYPE_MISMATCH = (cast(NTSTATUS)0xC0220026L); // // MessageId: STATUS_FWP_TYPE_MISMATCH // // MessageText: // // An FWP_VALUE or FWPM_CONDITION_VALUE is of the wrong type. // const auto STATUS_FWP_TYPE_MISMATCH = (cast(NTSTATUS)0xC0220027L); // // MessageId: STATUS_FWP_OUT_OF_BOUNDS // // MessageText: // // An integer value is outside the allowed range. // const auto STATUS_FWP_OUT_OF_BOUNDS = (cast(NTSTATUS)0xC0220028L); // // MessageId: STATUS_FWP_RESERVED // // MessageText: // // A reserved field is non-zero. // const auto STATUS_FWP_RESERVED = (cast(NTSTATUS)0xC0220029L); // // MessageId: STATUS_FWP_DUPLICATE_CONDITION // // MessageText: // // A filter cannot contain multiple conditions operating on a single field. // const auto STATUS_FWP_DUPLICATE_CONDITION = (cast(NTSTATUS)0xC022002AL); // // MessageId: STATUS_FWP_DUPLICATE_KEYMOD // // MessageText: // // A policy cannot contain the same keying module more than once. // const auto STATUS_FWP_DUPLICATE_KEYMOD = (cast(NTSTATUS)0xC022002BL); // // MessageId: STATUS_FWP_ACTION_INCOMPATIBLE_WITH_LAYER // // MessageText: // // The action type is not compatible with the layer. // const auto STATUS_FWP_ACTION_INCOMPATIBLE_WITH_LAYER = (cast(NTSTATUS)0xC022002CL); // // MessageId: STATUS_FWP_ACTION_INCOMPATIBLE_WITH_SUBLAYER // // MessageText: // // The action type is not compatible with the sublayer. // const auto STATUS_FWP_ACTION_INCOMPATIBLE_WITH_SUBLAYER = (cast(NTSTATUS)0xC022002DL); // // MessageId: STATUS_FWP_CONTEXT_INCOMPATIBLE_WITH_LAYER // // MessageText: // // The raw context or the provider context is not compatible with the layer. // const auto STATUS_FWP_CONTEXT_INCOMPATIBLE_WITH_LAYER = (cast(NTSTATUS)0xC022002EL); // // MessageId: STATUS_FWP_CONTEXT_INCOMPATIBLE_WITH_CALLOUT // // MessageText: // // The raw context or the provider context is not compatible with the callout. // const auto STATUS_FWP_CONTEXT_INCOMPATIBLE_WITH_CALLOUT = (cast(NTSTATUS)0xC022002FL); // // MessageId: STATUS_FWP_INCOMPATIBLE_AUTH_METHOD // // MessageText: // // The authentication method is not compatible with the policy type. // const auto STATUS_FWP_INCOMPATIBLE_AUTH_METHOD = (cast(NTSTATUS)0xC0220030L); // // MessageId: STATUS_FWP_INCOMPATIBLE_DH_GROUP // // MessageText: // // The Diffie-Hellman group is not compatible with the policy type. // const auto STATUS_FWP_INCOMPATIBLE_DH_GROUP = (cast(NTSTATUS)0xC0220031L); // // MessageId: STATUS_FWP_EM_NOT_SUPPORTED // // MessageText: // // An IKE policy cannot contain an Extended Mode policy. // const auto STATUS_FWP_EM_NOT_SUPPORTED = (cast(NTSTATUS)0xC0220032L); // // MessageId: STATUS_FWP_NEVER_MATCH // // MessageText: // // The enumeration template or subscription will never match any objects. // const auto STATUS_FWP_NEVER_MATCH = (cast(NTSTATUS)0xC0220033L); // // MessageId: STATUS_FWP_PROVIDER_CONTEXT_MISMATCH // // MessageText: // // The provider context is of the wrong type. // const auto STATUS_FWP_PROVIDER_CONTEXT_MISMATCH = (cast(NTSTATUS)0xC0220034L); // // MessageId: STATUS_FWP_INVALID_PARAMETER // // MessageText: // // The parameter is incorrect. // const auto STATUS_FWP_INVALID_PARAMETER = (cast(NTSTATUS)0xC0220035L); // // MessageId: STATUS_FWP_TOO_MANY_SUBLAYERS // // MessageText: // // The maximum number of sublayers has been reached. // const auto STATUS_FWP_TOO_MANY_SUBLAYERS = (cast(NTSTATUS)0xC0220036L); // // MessageId: STATUS_FWP_CALLOUT_NOTIFICATION_FAILED // // MessageText: // // The notification function for a callout returned an error. // const auto STATUS_FWP_CALLOUT_NOTIFICATION_FAILED = (cast(NTSTATUS)0xC0220037L); // // MessageId: STATUS_FWP_INVALID_AUTH_TRANSFORM // // MessageText: // // The IPsec authentication transform is not valid. // const auto STATUS_FWP_INVALID_AUTH_TRANSFORM = (cast(NTSTATUS)0xC0220038L); // // MessageId: STATUS_FWP_INVALID_CIPHER_TRANSFORM // // MessageText: // // The IPsec cipher transform is not valid. // const auto STATUS_FWP_INVALID_CIPHER_TRANSFORM = (cast(NTSTATUS)0xC0220039L); // // MessageId: STATUS_FWP_TCPIP_NOT_READY // // MessageText: // // The TCP/IP stack is not ready. // const auto STATUS_FWP_TCPIP_NOT_READY = (cast(NTSTATUS)0xC0220100L); // // MessageId: STATUS_FWP_INJECT_HANDLE_CLOSING // // MessageText: // // The injection handle is being closed by another thread. // const auto STATUS_FWP_INJECT_HANDLE_CLOSING = (cast(NTSTATUS)0xC0220101L); // // MessageId: STATUS_FWP_INJECT_HANDLE_STALE // // MessageText: // // The injection handle is stale. // const auto STATUS_FWP_INJECT_HANDLE_STALE = (cast(NTSTATUS)0xC0220102L); // // MessageId: STATUS_FWP_CANNOT_PEND // // MessageText: // // The classify cannot be pended. // const auto STATUS_FWP_CANNOT_PEND = (cast(NTSTATUS)0xC0220103L); // // NDIS error codes (ndis.sys) // // // MessageId: STATUS_NDIS_CLOSING // // MessageText: // // The binding to the network interface is being closed. // const auto STATUS_NDIS_CLOSING = (cast(NTSTATUS)0xC0230002L); // // MessageId: STATUS_NDIS_BAD_VERSION // // MessageText: // // An invalid version was specified. // const auto STATUS_NDIS_BAD_VERSION = (cast(NTSTATUS)0xC0230004L); // // MessageId: STATUS_NDIS_BAD_CHARACTERISTICS // // MessageText: // // An invalid characteristics table was used. // const auto STATUS_NDIS_BAD_CHARACTERISTICS = (cast(NTSTATUS)0xC0230005L); // // MessageId: STATUS_NDIS_ADAPTER_NOT_FOUND // // MessageText: // // Failed to find the network interface or network interface is not ready. // const auto STATUS_NDIS_ADAPTER_NOT_FOUND = (cast(NTSTATUS)0xC0230006L); // // MessageId: STATUS_NDIS_OPEN_FAILED // // MessageText: // // Failed to open the network interface. // const auto STATUS_NDIS_OPEN_FAILED = (cast(NTSTATUS)0xC0230007L); // // MessageId: STATUS_NDIS_DEVICE_FAILED // // MessageText: // // Network interface has encountered an internal unrecoverable failure. // const auto STATUS_NDIS_DEVICE_FAILED = (cast(NTSTATUS)0xC0230008L); // // MessageId: STATUS_NDIS_MULTICAST_FULL // // MessageText: // // The multicast list on the network interface is full. // const auto STATUS_NDIS_MULTICAST_FULL = (cast(NTSTATUS)0xC0230009L); // // MessageId: STATUS_NDIS_MULTICAST_EXISTS // // MessageText: // // An attempt was made to add a duplicate multicast address to the list. // const auto STATUS_NDIS_MULTICAST_EXISTS = (cast(NTSTATUS)0xC023000AL); // // MessageId: STATUS_NDIS_MULTICAST_NOT_FOUND // // MessageText: // // At attempt was made to remove a multicast address that was never added. // const auto STATUS_NDIS_MULTICAST_NOT_FOUND = (cast(NTSTATUS)0xC023000BL); // // MessageId: STATUS_NDIS_REQUEST_ABORTED // // MessageText: // // Netowork interface aborted the request. // const auto STATUS_NDIS_REQUEST_ABORTED = (cast(NTSTATUS)0xC023000CL); // // MessageId: STATUS_NDIS_RESET_IN_PROGRESS // // MessageText: // // Network interface can not process the request because it is being reset. // const auto STATUS_NDIS_RESET_IN_PROGRESS = (cast(NTSTATUS)0xC023000DL); // // MessageId: STATUS_NDIS_NOT_SUPPORTED // // MessageText: // // Netword interface does not support this request. // const auto STATUS_NDIS_NOT_SUPPORTED = (cast(NTSTATUS)0xC02300BBL); // // MessageId: STATUS_NDIS_INVALID_PACKET // // MessageText: // // An attempt was made to send an invalid packet on a network interface. // const auto STATUS_NDIS_INVALID_PACKET = (cast(NTSTATUS)0xC023000FL); // // MessageId: STATUS_NDIS_ADAPTER_NOT_READY // // MessageText: // // Network interface is not ready to complete this operation. // const auto STATUS_NDIS_ADAPTER_NOT_READY = (cast(NTSTATUS)0xC0230011L); // // MessageId: STATUS_NDIS_INVALID_LENGTH // // MessageText: // // The length of the buffer submitted for this operation is not valid. // const auto STATUS_NDIS_INVALID_LENGTH = (cast(NTSTATUS)0xC0230014L); // // MessageId: STATUS_NDIS_INVALID_DATA // // MessageText: // // The data used for this operation is not valid. // const auto STATUS_NDIS_INVALID_DATA = (cast(NTSTATUS)0xC0230015L); // // MessageId: STATUS_NDIS_BUFFER_TOO_SHORT // // MessageText: // // The length of buffer submitted for this operation is too small. // const auto STATUS_NDIS_BUFFER_TOO_SHORT = (cast(NTSTATUS)0xC0230016L); // // MessageId: STATUS_NDIS_INVALID_OID // // MessageText: // // Network interface does not support this OID (Object Identifier) // const auto STATUS_NDIS_INVALID_OID = (cast(NTSTATUS)0xC0230017L); // // MessageId: STATUS_NDIS_ADAPTER_REMOVED // // MessageText: // // The network interface has been removed. // const auto STATUS_NDIS_ADAPTER_REMOVED = (cast(NTSTATUS)0xC0230018L); // // MessageId: STATUS_NDIS_UNSUPPORTED_MEDIA // // MessageText: // // Network interface does not support this media type. // const auto STATUS_NDIS_UNSUPPORTED_MEDIA = (cast(NTSTATUS)0xC0230019L); // // MessageId: STATUS_NDIS_GROUP_ADDRESS_IN_USE // // MessageText: // // An attempt was made to remove a token ring group address that is in use by other components. // const auto STATUS_NDIS_GROUP_ADDRESS_IN_USE = (cast(NTSTATUS)0xC023001AL); // // MessageId: STATUS_NDIS_FILE_NOT_FOUND // // MessageText: // // An attempt was made to map a file that can not be found. // const auto STATUS_NDIS_FILE_NOT_FOUND = (cast(NTSTATUS)0xC023001BL); // // MessageId: STATUS_NDIS_ERROR_READING_FILE // // MessageText: // // An error occured while NDIS tried to map the file. // const auto STATUS_NDIS_ERROR_READING_FILE = (cast(NTSTATUS)0xC023001CL); // // MessageId: STATUS_NDIS_ALREADY_MAPPED // // MessageText: // // An attempt was made to map a file that is alreay mapped. // const auto STATUS_NDIS_ALREADY_MAPPED = (cast(NTSTATUS)0xC023001DL); // // MessageId: STATUS_NDIS_RESOURCE_CONFLICT // // MessageText: // // An attempt to allocate a hardware resource failed because the resource is used by another component. // const auto STATUS_NDIS_RESOURCE_CONFLICT = (cast(NTSTATUS)0xC023001EL); // // MessageId: STATUS_NDIS_MEDIA_DISCONNECTED // // MessageText: // // The I/O operation failed because network media is disconnected or wireless access point is out of range. // const auto STATUS_NDIS_MEDIA_DISCONNECTED = (cast(NTSTATUS)0xC023001FL); // // MessageId: STATUS_NDIS_INVALID_ADDRESS // // MessageText: // // The network address used in the request is invalid. // const auto STATUS_NDIS_INVALID_ADDRESS = (cast(NTSTATUS)0xC0230022L); // // MessageId: STATUS_NDIS_INVALID_DEVICE_REQUEST // // MessageText: // // The specified request is not a valid operation for the target device. // const auto STATUS_NDIS_INVALID_DEVICE_REQUEST = (cast(NTSTATUS)0xC0230010L); // // MessageId: STATUS_NDIS_PAUSED // // MessageText: // // The offload operation on the network interface has been paused. // const auto STATUS_NDIS_PAUSED = (cast(NTSTATUS)0xC023002AL); // // MessageId: STATUS_NDIS_INTERFACE_NOT_FOUND // // MessageText: // // Network interface was not found. // const auto STATUS_NDIS_INTERFACE_NOT_FOUND = (cast(NTSTATUS)0xC023002BL); // // MessageId: STATUS_NDIS_UNSUPPORTED_REVISION // // MessageText: // // The revision number specified in the structure is not supported. // const auto STATUS_NDIS_UNSUPPORTED_REVISION = (cast(NTSTATUS)0xC023002CL); // // MessageId: STATUS_NDIS_INVALID_PORT // // MessageText: // // The specified port does not exist on this network interface. // const auto STATUS_NDIS_INVALID_PORT = (cast(NTSTATUS)0xC023002DL); // // MessageId: STATUS_NDIS_INVALID_PORT_STATE // // MessageText: // // The current state of the specified port on this network interface does not support the requested operation. // const auto STATUS_NDIS_INVALID_PORT_STATE = (cast(NTSTATUS)0xC023002EL); // // MessageId: STATUS_NDIS_LOW_POWER_STATE // // MessageText: // // The miniport adapter is in lower power state. // const auto STATUS_NDIS_LOW_POWER_STATE = (cast(NTSTATUS)0xC023002FL); // // NDIS error codes (802.11 wireless LAN) // // // MessageId: STATUS_NDIS_DOT11_AUTO_CONFIG_ENABLED // // MessageText: // // The wireless local area network interface is in auto configuration mode and doesn't support the requested parameter change operation. // const auto STATUS_NDIS_DOT11_AUTO_CONFIG_ENABLED = (cast(NTSTATUS)0xC0232000L); // // MessageId: STATUS_NDIS_DOT11_MEDIA_IN_USE // // MessageText: // // The wireless local area network interface is busy and can not perform the requested operation. // const auto STATUS_NDIS_DOT11_MEDIA_IN_USE = (cast(NTSTATUS)0xC0232001L); // // MessageId: STATUS_NDIS_DOT11_POWER_STATE_INVALID // // MessageText: // // The wireless local area network interface is power down and doesn't support the requested operation. // const auto STATUS_NDIS_DOT11_POWER_STATE_INVALID = (cast(NTSTATUS)0xC0232002L); // // NDIS informational codes(ndis.sys) // // // MessageId: STATUS_NDIS_INDICATION_REQUIRED // // MessageText: // // The request will be completed later by NDIS status indication. // const auto STATUS_NDIS_INDICATION_REQUIRED = (cast(NTSTATUS)0x40230001L); // // IPSEC error codes (tcpip.sys) // // // MessageId: STATUS_IPSEC_BAD_SPI // // MessageText: // // The SPI in the packet does not match a valid IPsec SA. // const auto STATUS_IPSEC_BAD_SPI = (cast(NTSTATUS)0xC0360001L); // // MessageId: STATUS_IPSEC_SA_LIFETIME_EXPIRED // // MessageText: // // Packet was received on an IPsec SA whose lifetime has expired. // const auto STATUS_IPSEC_SA_LIFETIME_EXPIRED = (cast(NTSTATUS)0xC0360002L); // // MessageId: STATUS_IPSEC_WRONG_SA // // MessageText: // // Packet was received on an IPsec SA that doesn't match the packet characteristics. // const auto STATUS_IPSEC_WRONG_SA = (cast(NTSTATUS)0xC0360003L); // // MessageId: STATUS_IPSEC_REPLAY_CHECK_FAILED // // MessageText: // // Packet sequence number replay check failed. // const auto STATUS_IPSEC_REPLAY_CHECK_FAILED = (cast(NTSTATUS)0xC0360004L); // // MessageId: STATUS_IPSEC_INVALID_PACKET // // MessageText: // // IPsec header and/or trailer in the packet is invalid. // const auto STATUS_IPSEC_INVALID_PACKET = (cast(NTSTATUS)0xC0360005L); // // MessageId: STATUS_IPSEC_INTEGRITY_CHECK_FAILED // // MessageText: // // IPsec integrity check failed. // const auto STATUS_IPSEC_INTEGRITY_CHECK_FAILED = (cast(NTSTATUS)0xC0360006L); // // MessageId: STATUS_IPSEC_CLEAR_TEXT_DROP // // MessageText: // // IPsec dropped a clear text packet. // const auto STATUS_IPSEC_CLEAR_TEXT_DROP = (cast(NTSTATUS)0xC0360007L); // // Map a WIN32 error value into an NTSTATUS // Note: This assumes that WIN32 errors fall in the range -32k to 32k. // //const auto __NTSTATUS_FROM_WIN32(x) = (cast(NTSTATUS)(x) <= 0 ? (cast(NTSTATUS)(x)) : (cast(NTSTATUS) (((x) & 0x0000FFFF) | (FACILITY_NTWIN32 << 16) | ERROR_SEVERITY_ERROR))); /*lint -restore */ // Resume checking for different macro definitions // winnt // end_ntsecapi
D
/Users/xiaohongwei/projects/for_offer/target/debug/deps/aho_corasick-290db03203713219.rmeta: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/lib.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/ahocorasick.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/automaton.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/buffer.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/byte_frequencies.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/classes.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/dfa.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/error.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/nfa.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/mod.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/api.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/pattern.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/rabinkarp.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/teddy/mod.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/teddy/compile.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/teddy/runtime.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/vector.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/prefilter.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/state_id.rs /Users/xiaohongwei/projects/for_offer/target/debug/deps/aho_corasick-290db03203713219.d: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/lib.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/ahocorasick.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/automaton.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/buffer.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/byte_frequencies.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/classes.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/dfa.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/error.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/nfa.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/mod.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/api.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/pattern.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/rabinkarp.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/teddy/mod.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/teddy/compile.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/teddy/runtime.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/vector.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/prefilter.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/state_id.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/lib.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/ahocorasick.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/automaton.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/buffer.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/byte_frequencies.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/classes.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/dfa.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/error.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/nfa.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/mod.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/api.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/pattern.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/rabinkarp.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/teddy/mod.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/teddy/compile.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/teddy/runtime.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/packed/vector.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/prefilter.rs: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/aho-corasick-0.7.8/src/state_id.rs:
D
/Users/setiyadi/Projects/Xcode/CodeTest-303Software/Build/Intermediates/CodeTest-303Software.build/Debug-iphonesimulator/CodeTest-303Software.build/Objects-normal/x86_64/Person.o : /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/Person.swift /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/DataModelView.swift /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/AppDelegate.swift /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/ListTableViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Headers/Alamofire-Swift.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Headers/Alamofire.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Modules/module.modulemap /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Headers/SwiftyJSON.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Modules/module.modulemap /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Build/Intermediates/CodeTest-303Software.build/Debug-iphonesimulator/CodeTest-303Software.build/Objects-normal/x86_64/Person~partial.swiftmodule : /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/Person.swift /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/DataModelView.swift /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/AppDelegate.swift /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/ListTableViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Headers/Alamofire-Swift.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Headers/Alamofire.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Modules/module.modulemap /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Headers/SwiftyJSON.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Modules/module.modulemap /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Build/Intermediates/CodeTest-303Software.build/Debug-iphonesimulator/CodeTest-303Software.build/Objects-normal/x86_64/Person~partial.swiftdoc : /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/Person.swift /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/DataModelView.swift /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/AppDelegate.swift /Users/setiyadi/Projects/Xcode/CodeTest-303Software/CodeTest-303Software/ListTableViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Headers/Alamofire-Swift.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Headers/Alamofire.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/Alamofire.framework/Modules/module.modulemap /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Headers/SwiftyJSON.h /Users/setiyadi/Projects/Xcode/CodeTest-303Software/Carthage/Build/iOS/SwiftyJSON.framework/Modules/module.modulemap
D
/++ Templates for binding Godot C++ classes to use from D The binding generator will implement these templates for the classes in Godot's API JSON. +/ module godot.d.bind; import std.meta, std.traits; import std.conv : text; import godot.core, godot.c; import godot.d.meta; /// Type to mark varargs GodotMethod. struct GodotVarArgs { } package(godot) struct GodotName { string name; } /++ Definition of a method from API JSON. +/ struct GodotMethod(Return, Args...) { godot_method_bind* mb; /// MethodBind for ptrcalls String name; /// String name from Godot (snake_case, not always valid D) static if(Args.length) enum bool hasVarArgs = is(Args[$-1] : GodotVarArgs); else enum bool hasVarArgs = false; /+package(godot)+/ void bind(in char* className, in char* methodName) { if(mb) return; mb = _godot_api.godot_method_bind_get_method(className, methodName); name = String(methodName); } } @nogc nothrow pragma(inline, true) package(godot) void checkClassBinding(C)() { if(!C._classBindingInitialized) { initializeClassBinding!C(); } } @nogc nothrow pragma(inline, false) package(godot) void initializeClassBinding(C)() { synchronized { if(!C._classBindingInitialized) { static foreach(n; __traits(allMembers, C._classBinding)) { static if(n == "_singleton") C._classBinding._singleton = _godot_api .godot_global_get_singleton(cast(char*)C._classBinding._singletonName); else static if(n == "_singletonName"){} else { //enum immutable(char*) cn = C._GODOT_internal_name; mixin("C._classBinding."~n).bind(C._GODOT_internal_name, getUDAs!(mixin("C._classBinding."~n), GodotName)[0].name); } } C._classBindingInitialized = true; } } } enum bool needsConversion(Src, Dest) = !isGodotClass!Dest && !is(Src : Dest); /// temporary var if conversion is needed template tempType(Src, Dest) { static if( needsConversion!(Src, Dest) ) alias tempType = Dest; else alias tempType = void[0]; } /++ Direct pointer call through MethodBind. +/ RefOrT!Return ptrcall(Return, MB, Args...)(MB method, in godot_object self, Args args) in { import std.experimental.allocator, std.experimental.allocator.mallocator; debug if(self.ptr is null) { CharString utf8 = (String("Method ")~method.name~String(" called on null reference")).utf8; auto msg = utf8.data; assert(0, msg); // leak msg; Error is unrecoverable } } do { import std.typecons; import std.range : iota; alias MBArgs = TemplateArgsOf!(MB)[1..$]; static assert(Args.length == MBArgs.length); static if(Args.length != 0) { alias _iota = aliasSeqOf!(iota(Args.length)); alias _tempType(size_t i) = tempType!(Args[i], MBArgs[i]); const(void)*[Args.length] aarr = void; Tuple!( staticMap!(_tempType, _iota) ) temp = void; } foreach(ai, A; Args) { static if(isGodotClass!A) { static assert(is(Unqual!A : MBArgs[ai]) || staticIndexOf!( MBArgs[ai], GodotClass!A.GodotClass) != -1, "method" ~ " argument " ~ ai.text ~ " of type " ~ A.stringof ~ " does not inherit parameter type " ~ MBArgs[ai].stringof); aarr[ai] = getGDNativeObject(args[ai]).ptr; } else static if( !needsConversion!(Args[ai], MBArgs[ai]) ) { aarr[ai] = cast(const(void)*)(&args[ai]); } else // needs conversion { static assert(is(typeof(MBArgs[ai](args[ai]))), "method" ~ " argument " ~ ai.text ~ " of type " ~ A.stringof ~ " cannot be converted to parameter type " ~ MBArgs[ai].stringof); import std.conv : emplace; emplace(&temp[ai], args[ai]); aarr[ai] = cast(const(void)*)(&temp[ai]); } } static if(!is(Return : void)) RefOrT!Return r = godotDefaultInit!(RefOrT!Return); static if(is(Return : void)) alias rptr = Alias!null; else void* rptr = cast(void*)&r; static if(Args.length == 0) alias aptr = Alias!null; else const(void)** aptr = aarr.ptr; _godot_api.godot_method_bind_ptrcall(method.mb, cast(godot_object)self, aptr, rptr); static if(!is(Return : void)) return r; } /++ Variant call, for virtual and vararg methods. Forwards to `callv`, but does compile-time type check of args other than varargs. +/ Return callv(MB, Return, Args...)(MB method, godot_object self, Args args) in { import std.experimental.allocator, std.experimental.allocator.mallocator; debug if(self.ptr is null) { CharString utf8 = (String("Method ")~method.name~String(" called on null reference")).utf8; auto msg = utf8.data; assert(0, msg); // leak msg; Error is unrecoverable } } do { alias MBArgs = TemplateArgsOf!(MB)[1..$]; import godot.object; GodotObject o = void; o._godot_object = self; Array a = Array.make(); static if(Args.length != 0) a.resize(cast(int)Args.length); foreach(ai, A; Args) { static if(is(MBArgs[$-1] : GodotVarArgs) && ai >= MBArgs.length-1) { // do nothing } else { static assert(ai < MBArgs.length, "Too many arguments"); static assert(is(A : MBArgs[ai]) || isImplicitlyConvertible!(A, MBArgs[ai]), "method" ~ " argument " ~ ai.text ~ " of type " ~ A.stringof ~ " cannot be converted to parameter type " ~ MBArgs[ai].stringof); } a[ai] = args[ai]; } Variant r = o.callv(method.name, a); return r.as!Return; } package(godot) mixin template baseCasts() { private import godot.d.reference, godot.d.meta : RefOrT, NonRef; To as(To)() if(isGodotBaseClass!To) { static if(extends!(typeof(this), To)) return To(_godot_object); else static if(extends!(To, typeof(this))) { if(_godot_object.ptr is null) return typeof(return).init; String c = String(To._GODOT_internal_name); if(isClass(c)) return To(_godot_object); return typeof(return).init; } else static assert(0, To.stringof ~ " is not polymorphic to " ~ typeof(this).stringof); } To as(To)() if(extendsGodotBaseClass!To) { import godot.d.script : NativeScriptTag; static assert(extends!(To, typeof(this)), "D class " ~ To.stringof ~ " does not extend " ~ typeof(this).stringof); if(_godot_object.ptr is null) return typeof(return).init; if(GDNativeVersion.hasNativescript!(1, 1)) { if(NativeScriptTag!To.matches(_godot_nativescript_api.godot_nativescript_get_type_tag(_godot_object))) { return cast(To)(_godot_nativescript_api.godot_nativescript_get_userdata(_godot_object)); } } else if(hasMethod(String(`_GDNATIVE_D_typeid`))) { return cast(To)(cast(Object)(_godot_nativescript_api.godot_nativescript_get_userdata(_godot_object))); } return typeof(return).init; } ToRef as(ToRef)() if(is(ToRef : Ref!To, To) && extends!(To, Reference)) { import std.traits : TemplateArgsOf; return ToRef(as!(TemplateArgsOf!ToRef[0])); } template opCast(To) if(isGodotBaseClass!To) { alias opCast = as!To; } template opCast(To) if(extendsGodotBaseClass!To) { alias opCast = as!To; } template opCast(ToRef) if(is(ToRef : Ref!To, To) && extends!(To, Reference)) { alias opCast = as!ToRef; } // void* cast for passing this type to ptrcalls package(godot) void* opCast(T : void*)() const { return cast(void*)_godot_object.ptr; } // strip const, because the C API sometimes expects a non-const godot_object godot_object opCast(T : godot_object)() const { return cast(godot_object)_godot_object; } // implicit conversion to bool like D class references bool opCast(T : bool)() const { return _godot_object.ptr !is null; } }
D
/Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DerivedData/DetailedViewApp/Build/Intermediates.noindex/DetailedViewApp.build/Debug-iphonesimulator/DetailedViewApp.build/Objects-normal/x86_64/ViewController.o : /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/SecondVC.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/SceneDelegate.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/AppDelegate.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/ViewController.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 /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/marvinevins/Library/Autosave\ Information/DetailedViewApp/DerivedData/DetailedViewApp/Build/Intermediates.noindex/DetailedViewApp.build/Debug-iphonesimulator/DetailedViewApp.build/Objects-normal/x86_64/ViewController~partial.swiftmodule : /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/SecondVC.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/SceneDelegate.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/AppDelegate.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/ViewController.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 /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/marvinevins/Library/Autosave\ Information/DetailedViewApp/DerivedData/DetailedViewApp/Build/Intermediates.noindex/DetailedViewApp.build/Debug-iphonesimulator/DetailedViewApp.build/Objects-normal/x86_64/ViewController~partial.swiftdoc : /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/SecondVC.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/SceneDelegate.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/AppDelegate.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/ViewController.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 /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/marvinevins/Library/Autosave\ Information/DetailedViewApp/DerivedData/DetailedViewApp/Build/Intermediates.noindex/DetailedViewApp.build/Debug-iphonesimulator/DetailedViewApp.build/Objects-normal/x86_64/ViewController~partial.swiftsourceinfo : /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/SecondVC.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/SceneDelegate.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/AppDelegate.swift /Users/marvinevins/Library/Autosave\ Information/DetailedViewApp/DetailedViewApp/ViewController.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 /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
struct SomeStructName { static struct InnerStruct { version (linux) { static if (condition) { void longFunctionName(AAAAAAAA)(AAAAAAAA a) @property if (someThingsAreTrue!AAAAAAAA && long_condition && is(some < elaborate && expression)) { } } } } }
D
// SPDX-License-Identifier: MIT // // Copyright The SCons Foundation import module1; import module2; import module3; import p.submodule1; import p.submodule2; int main() { return 0; }
D
/* * Copyright Andrej Mitrovic 2013. * Distributed under the Boost Software License, Version 1.0. * (See accompanying file LICENSE_1_0.txt or copy at * http://www.boost.org/LICENSE_1_0.txt) */ module minilib.core.math; import std.math; /** Convert radians to degrees. */ double toRadians(double degrees) { return degrees * (PI / 180.0); } /** Convert degrees to radians. */ double toDegrees(double radians) { return radians * (180.0 / PI); }
D
module godot.line2d; 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.classdb; import godot.node2d; import godot.gradient; import godot.texture; @GodotBaseClass struct Line2D { static immutable string _GODOT_internal_name = "Line2D"; public: union { godot_object _godot_object; Node2D base; } alias base this; alias BaseClasses = AliasSeq!(typeof(base), typeof(base).BaseClasses); bool opEquals(in Line2D other) const { return _godot_object.ptr is other._godot_object.ptr; } Line2D 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 Line2D _new() { static godot_class_constructor constructor; if(constructor is null) constructor = godot_get_class_constructor("Line2D"); if(constructor is null) return typeof(this).init; return cast(Line2D)(constructor()); } enum LineTextureMode : int { LINE_TEXTURE_TILE = 1, LINE_TEXTURE_NONE = 0, } enum LineCapMode : int { LINE_CAP_NONE = 0, LINE_CAP_BOX = 1, LINE_CAP_ROUND = 2, } enum LineJointMode : int { LINE_JOINT_ROUND = 2, LINE_JOINT_SHARP = 0, LINE_JOINT_BEVEL = 1, } enum int LINE_JOINT_ROUND = 2; enum int LINE_CAP_NONE = 0; enum int LINE_CAP_BOX = 1; enum int LINE_JOINT_SHARP = 0; enum int LINE_CAP_ROUND = 2; enum int LINE_TEXTURE_TILE = 1; enum int LINE_JOINT_BEVEL = 1; enum int LINE_TEXTURE_NONE = 0; package(godot) static GodotMethod!(void, PoolVector2Array) _GODOT_set_points; package(godot) alias _GODOT_methodBindInfo(string name : "set_points") = _GODOT_set_points; void set_points(in PoolVector2Array points) { _GODOT_set_points.bind("Line2D", "set_points"); ptrcall!(void)(_GODOT_set_points, _godot_object, points); } package(godot) static GodotMethod!(PoolVector2Array) _GODOT_get_points; package(godot) alias _GODOT_methodBindInfo(string name : "get_points") = _GODOT_get_points; PoolVector2Array get_points() const { _GODOT_get_points.bind("Line2D", "get_points"); return ptrcall!(PoolVector2Array)(_GODOT_get_points, _godot_object); } package(godot) static GodotMethod!(void, int, Vector2) _GODOT_set_point_position; package(godot) alias _GODOT_methodBindInfo(string name : "set_point_position") = _GODOT_set_point_position; void set_point_position(in int i, in Vector2 position) { _GODOT_set_point_position.bind("Line2D", "set_point_position"); ptrcall!(void)(_GODOT_set_point_position, _godot_object, i, position); } package(godot) static GodotMethod!(Vector2, int) _GODOT_get_point_position; package(godot) alias _GODOT_methodBindInfo(string name : "get_point_position") = _GODOT_get_point_position; Vector2 get_point_position(in int i) const { _GODOT_get_point_position.bind("Line2D", "get_point_position"); return ptrcall!(Vector2)(_GODOT_get_point_position, _godot_object, i); } package(godot) static GodotMethod!(int) _GODOT_get_point_count; package(godot) alias _GODOT_methodBindInfo(string name : "get_point_count") = _GODOT_get_point_count; int get_point_count() const { _GODOT_get_point_count.bind("Line2D", "get_point_count"); return ptrcall!(int)(_GODOT_get_point_count, _godot_object); } package(godot) static GodotMethod!(void, Vector2) _GODOT_add_point; package(godot) alias _GODOT_methodBindInfo(string name : "add_point") = _GODOT_add_point; void add_point(in Vector2 position) { _GODOT_add_point.bind("Line2D", "add_point"); ptrcall!(void)(_GODOT_add_point, _godot_object, position); } package(godot) static GodotMethod!(void, int) _GODOT_remove_point; package(godot) alias _GODOT_methodBindInfo(string name : "remove_point") = _GODOT_remove_point; void remove_point(in int i) { _GODOT_remove_point.bind("Line2D", "remove_point"); ptrcall!(void)(_GODOT_remove_point, _godot_object, i); } package(godot) static GodotMethod!(void, float) _GODOT_set_width; package(godot) alias _GODOT_methodBindInfo(string name : "set_width") = _GODOT_set_width; void set_width(in float width) { _GODOT_set_width.bind("Line2D", "set_width"); ptrcall!(void)(_GODOT_set_width, _godot_object, width); } package(godot) static GodotMethod!(float) _GODOT_get_width; package(godot) alias _GODOT_methodBindInfo(string name : "get_width") = _GODOT_get_width; float get_width() const { _GODOT_get_width.bind("Line2D", "get_width"); return ptrcall!(float)(_GODOT_get_width, _godot_object); } package(godot) static GodotMethod!(void, Color) _GODOT_set_default_color; package(godot) alias _GODOT_methodBindInfo(string name : "set_default_color") = _GODOT_set_default_color; void set_default_color(in Color color) { _GODOT_set_default_color.bind("Line2D", "set_default_color"); ptrcall!(void)(_GODOT_set_default_color, _godot_object, color); } package(godot) static GodotMethod!(Color) _GODOT_get_default_color; package(godot) alias _GODOT_methodBindInfo(string name : "get_default_color") = _GODOT_get_default_color; Color get_default_color() const { _GODOT_get_default_color.bind("Line2D", "get_default_color"); return ptrcall!(Color)(_GODOT_get_default_color, _godot_object); } package(godot) static GodotMethod!(void, Gradient) _GODOT_set_gradient; package(godot) alias _GODOT_methodBindInfo(string name : "set_gradient") = _GODOT_set_gradient; void set_gradient(in Gradient color) { _GODOT_set_gradient.bind("Line2D", "set_gradient"); ptrcall!(void)(_GODOT_set_gradient, _godot_object, color); } package(godot) static GodotMethod!(Gradient) _GODOT_get_gradient; package(godot) alias _GODOT_methodBindInfo(string name : "get_gradient") = _GODOT_get_gradient; Gradient get_gradient() const { _GODOT_get_gradient.bind("Line2D", "get_gradient"); return ptrcall!(Gradient)(_GODOT_get_gradient, _godot_object); } package(godot) static GodotMethod!(void, Texture) _GODOT_set_texture; package(godot) alias _GODOT_methodBindInfo(string name : "set_texture") = _GODOT_set_texture; void set_texture(in Texture texture) { _GODOT_set_texture.bind("Line2D", "set_texture"); ptrcall!(void)(_GODOT_set_texture, _godot_object, texture); } package(godot) static GodotMethod!(Texture) _GODOT_get_texture; package(godot) alias _GODOT_methodBindInfo(string name : "get_texture") = _GODOT_get_texture; Texture get_texture() const { _GODOT_get_texture.bind("Line2D", "get_texture"); return ptrcall!(Texture)(_GODOT_get_texture, _godot_object); } package(godot) static GodotMethod!(void, int) _GODOT_set_texture_mode; package(godot) alias _GODOT_methodBindInfo(string name : "set_texture_mode") = _GODOT_set_texture_mode; void set_texture_mode(in int mode) { _GODOT_set_texture_mode.bind("Line2D", "set_texture_mode"); ptrcall!(void)(_GODOT_set_texture_mode, _godot_object, mode); } package(godot) static GodotMethod!(Line2D.LineTextureMode) _GODOT_get_texture_mode; package(godot) alias _GODOT_methodBindInfo(string name : "get_texture_mode") = _GODOT_get_texture_mode; Line2D.LineTextureMode get_texture_mode() const { _GODOT_get_texture_mode.bind("Line2D", "get_texture_mode"); return ptrcall!(Line2D.LineTextureMode)(_GODOT_get_texture_mode, _godot_object); } package(godot) static GodotMethod!(void, int) _GODOT_set_joint_mode; package(godot) alias _GODOT_methodBindInfo(string name : "set_joint_mode") = _GODOT_set_joint_mode; void set_joint_mode(in int mode) { _GODOT_set_joint_mode.bind("Line2D", "set_joint_mode"); ptrcall!(void)(_GODOT_set_joint_mode, _godot_object, mode); } package(godot) static GodotMethod!(Line2D.LineJointMode) _GODOT_get_joint_mode; package(godot) alias _GODOT_methodBindInfo(string name : "get_joint_mode") = _GODOT_get_joint_mode; Line2D.LineJointMode get_joint_mode() const { _GODOT_get_joint_mode.bind("Line2D", "get_joint_mode"); return ptrcall!(Line2D.LineJointMode)(_GODOT_get_joint_mode, _godot_object); } package(godot) static GodotMethod!(void, int) _GODOT_set_begin_cap_mode; package(godot) alias _GODOT_methodBindInfo(string name : "set_begin_cap_mode") = _GODOT_set_begin_cap_mode; void set_begin_cap_mode(in int mode) { _GODOT_set_begin_cap_mode.bind("Line2D", "set_begin_cap_mode"); ptrcall!(void)(_GODOT_set_begin_cap_mode, _godot_object, mode); } package(godot) static GodotMethod!(Line2D.LineCapMode) _GODOT_get_begin_cap_mode; package(godot) alias _GODOT_methodBindInfo(string name : "get_begin_cap_mode") = _GODOT_get_begin_cap_mode; Line2D.LineCapMode get_begin_cap_mode() const { _GODOT_get_begin_cap_mode.bind("Line2D", "get_begin_cap_mode"); return ptrcall!(Line2D.LineCapMode)(_GODOT_get_begin_cap_mode, _godot_object); } package(godot) static GodotMethod!(void, int) _GODOT_set_end_cap_mode; package(godot) alias _GODOT_methodBindInfo(string name : "set_end_cap_mode") = _GODOT_set_end_cap_mode; void set_end_cap_mode(in int mode) { _GODOT_set_end_cap_mode.bind("Line2D", "set_end_cap_mode"); ptrcall!(void)(_GODOT_set_end_cap_mode, _godot_object, mode); } package(godot) static GodotMethod!(Line2D.LineCapMode) _GODOT_get_end_cap_mode; package(godot) alias _GODOT_methodBindInfo(string name : "get_end_cap_mode") = _GODOT_get_end_cap_mode; Line2D.LineCapMode get_end_cap_mode() const { _GODOT_get_end_cap_mode.bind("Line2D", "get_end_cap_mode"); return ptrcall!(Line2D.LineCapMode)(_GODOT_get_end_cap_mode, _godot_object); } package(godot) static GodotMethod!(void, float) _GODOT_set_sharp_limit; package(godot) alias _GODOT_methodBindInfo(string name : "set_sharp_limit") = _GODOT_set_sharp_limit; void set_sharp_limit(in float limit) { _GODOT_set_sharp_limit.bind("Line2D", "set_sharp_limit"); ptrcall!(void)(_GODOT_set_sharp_limit, _godot_object, limit); } package(godot) static GodotMethod!(float) _GODOT_get_sharp_limit; package(godot) alias _GODOT_methodBindInfo(string name : "get_sharp_limit") = _GODOT_get_sharp_limit; float get_sharp_limit() const { _GODOT_get_sharp_limit.bind("Line2D", "get_sharp_limit"); return ptrcall!(float)(_GODOT_get_sharp_limit, _godot_object); } package(godot) static GodotMethod!(void, int) _GODOT_set_round_precision; package(godot) alias _GODOT_methodBindInfo(string name : "set_round_precision") = _GODOT_set_round_precision; void set_round_precision(in int precision) { _GODOT_set_round_precision.bind("Line2D", "set_round_precision"); ptrcall!(void)(_GODOT_set_round_precision, _godot_object, precision); } package(godot) static GodotMethod!(int) _GODOT_get_round_precision; package(godot) alias _GODOT_methodBindInfo(string name : "get_round_precision") = _GODOT_get_round_precision; int get_round_precision() const { _GODOT_get_round_precision.bind("Line2D", "get_round_precision"); return ptrcall!(int)(_GODOT_get_round_precision, _godot_object); } package(godot) static GodotMethod!(void) _GODOT__gradient_changed; package(godot) alias _GODOT_methodBindInfo(string name : "_gradient_changed") = _GODOT__gradient_changed; void _gradient_changed() { Array _GODOT_args = Array.empty_array; String _GODOT_method_name = String("_gradient_changed"); this.callv(_GODOT_method_name, _GODOT_args); } }
D
/Users/romance/Desktop/CQCoder/TImeCountingDown/Build/Intermediates/TImeCountingDown.build/Debug-iphonesimulator/TImeCountingDown.build/Objects-normal/x86_64/AppDelegate.o : /Users/romance/Desktop/CQCoder/TImeCountingDown/TImeCountingDown/ViewController.swift /Users/romance/Desktop/CQCoder/TImeCountingDown/TImeCountingDown/AppDelegate.swift /Users/romance/Desktop/CQCoder/TImeCountingDown/TImeCountingDown/TimeCountDownManager.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/romance/Desktop/CQCoder/TImeCountingDown/Build/Intermediates/TImeCountingDown.build/Debug-iphonesimulator/TImeCountingDown.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/romance/Desktop/CQCoder/TImeCountingDown/TImeCountingDown/ViewController.swift /Users/romance/Desktop/CQCoder/TImeCountingDown/TImeCountingDown/AppDelegate.swift /Users/romance/Desktop/CQCoder/TImeCountingDown/TImeCountingDown/TimeCountDownManager.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/romance/Desktop/CQCoder/TImeCountingDown/Build/Intermediates/TImeCountingDown.build/Debug-iphonesimulator/TImeCountingDown.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/romance/Desktop/CQCoder/TImeCountingDown/TImeCountingDown/ViewController.swift /Users/romance/Desktop/CQCoder/TImeCountingDown/TImeCountingDown/AppDelegate.swift /Users/romance/Desktop/CQCoder/TImeCountingDown/TImeCountingDown/TimeCountDownManager.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
D
/* * Collie - An asynchronous event-driven network framework using Dlang development * * Copyright (C) 2015-2017 Shanghai Putao Technology Co., Ltd * * Developer: putao's Dlang team * * Licensed under the Apache-2.0 License. * */ module collie.channel.handler; import std.traits; import collie.channel.pipeline; import collie.channel.handlercontext; public import kiss.net.struct_; abstract class HandlerBase(Context) { ~this() { } void attachPipeline(Context /*ctx*/ ) { } void detachPipeline(Context /*ctx*/ ) { } final @property Context context() { if (_attachCount != 1) { return null; } assert(_ctx); return _ctx; } protected: ulong _attachCount = 0; Context _ctx; } /// Rin : the Handle will read type /// Rout : Next Handle will Read Type /// Win : the Handle will Write type /// Wout : Next Handle will write type abstract class Handler(Rin, Rout = Rin, Win = Rout, Wout = Rin) : HandlerBase!( HandlerContext!(Rout, Wout)) { alias TheCallBack = void delegate(Win, size_t); alias Context = HandlerContext!(Rout, Wout); alias rin = Rin; alias rout = Rout; alias win = Win; alias wout = Wout; static enum dir = HandlerDir.BOTH; void read(Context ctx, Rin msg); void timeOut(Context ctx) { ctx.fireTimeOut(); } void transportActive(Context ctx) { ctx.fireTransportActive(); } void transportInactive(Context ctx) { ctx.fireTransportInactive(); } void write(Context ctx, Win msg, TheCallBack cback = null); void close(Context ctx) { ctx.fireClose(); } } /// Rin : the Handle will read type /// Rout : Next Handle will Read Type abstract class InboundHandler(Rin, Rout = Rin) : HandlerBase!(InboundHandlerContext!Rout) { public: static enum dir = HandlerDir.IN; alias Context = InboundHandlerContext!Rout; alias rin = Rin; alias rout = Rout; alias win = uint; alias wout = uint; void read(Context ctx, Rin msg); void timeOut(Context ctx) { ctx.fireTimeOut(); } void transportActive(Context ctx) { ctx.fireTransportActive(); } void transportInactive(Context ctx) { ctx.fireTransportInactive(); } } /// Win : the Handle will Write type /// Wout : Next Handle will write type abstract class OutboundHandler(Win, Wout = Win) : HandlerBase!(OutboundHandlerContext!Wout) { public: static enum dir = HandlerDir.OUT; alias Context = OutboundHandlerContext!Wout; alias OutboundHandlerCallBack = void delegate(Win, size_t); alias rin = uint; alias rout = uint; alias win = Win; alias wout = Wout; void write(Context ctx, Win msg, OutboundHandlerCallBack cback = null); void close(Context ctx) { return ctx.fireClose(); } } class HandlerAdapter(R, W = R) : Handler!(R, R, W, W) { alias Context = Handler!(R, R, W, W).Context; alias TheCallBack = Handler!(R, R, W, W).TheCallBack; override void read(Context ctx, R msg) { ctx.fireRead((msg)); } override void write(Context ctx, W msg, TheCallBack cback) { ctx.fireWrite(msg, cback); } } abstract class PipelineContext { public: ~this() { // writeln("PipelineContext ~ this"); } void attachPipeline(); void detachPipeline(); pragma(inline) final void attachContext(H, HandlerContext)(H handler, HandlerContext ctx) { if (++handler._attachCount == 1) { handler._ctx = ctx; } else { handler._ctx = null; } } void setNextIn(PipelineContext ctx); void setNextOut(PipelineContext ctx); HandlerDir getDirection(); } package: interface InboundLink(In) { void read(In msg); void timeOut(); void transportActive(); void transportInactive(); } interface OutboundLink(Out) { alias OutboundLinkCallBack = void delegate(Out, size_t); void write(Out msg, OutboundLinkCallBack cback = null); void close(); }
D
// Copyright Ferdinand Majerech 2011. // Distributed under the Boost Software License, Version 1.0. // (See accompanying file LICENSE_1_0.txt or copy at // http://www.boost.org/LICENSE_1_0.txt) ///YAML anchor. module library.yaml.anchor; import library.yaml.zerostring; ///YAML anchor (reference) struct. Encapsulates an anchor to save memory. alias ZeroString!"Anchor" Anchor;
D
# FIXED network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/example/common/network_common.c network_common.obj: C:/ti/ccs910/ccs/tools/compiler/ti-cgt-arm_5.2.9/include/stdlib.h network_common.obj: C:/ti/ccs910/ccs/tools/compiler/ti-cgt-arm_5.2.9/include/linkage.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/simplelink.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/../user.h network_common.obj: C:/ti/ccs910/ccs/tools/compiler/ti-cgt-arm_5.2.9/include/string.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/../cc_pal.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink_extlib/provisioninglib/provisioning_api.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/simplelink.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/oslib/osi.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/../source/objInclusion.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/trace.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/fs.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/socket.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/netapp.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/wlan.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/device.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/netcfg.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/wlan_rx_filters.h network_common.obj: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/../source/spawn.h C:/ti/CC3200SDK_1.3.0/cc3200-sdk/example/common/network_common.c: C:/ti/ccs910/ccs/tools/compiler/ti-cgt-arm_5.2.9/include/stdlib.h: C:/ti/ccs910/ccs/tools/compiler/ti-cgt-arm_5.2.9/include/linkage.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/simplelink.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/../user.h: C:/ti/ccs910/ccs/tools/compiler/ti-cgt-arm_5.2.9/include/string.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/../cc_pal.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink_extlib/provisioninglib/provisioning_api.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/simplelink.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/oslib/osi.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/../source/objInclusion.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/trace.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/fs.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/socket.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/netapp.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/wlan.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/device.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/netcfg.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/wlan_rx_filters.h: C:/ti/CC3200SDK_1.3.0/cc3200-sdk/simplelink/include/../source/spawn.h:
D
module android.java.java.text.AttributedCharacterIterator; public import android.java.java.text.AttributedCharacterIterator_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!AttributedCharacterIterator; import import2 = android.java.java.util.Map; import import3 = android.java.java.lang.Class;
D
module windows.serialcontroller; public import windows.systemservices; extern(Windows): struct HCOMDB__ { int unused; } @DllImport("MSPORTS.dll") int ComDBOpen(HCOMDB__** PHComDB); @DllImport("MSPORTS.dll") int ComDBClose(HCOMDB__* HComDB); @DllImport("MSPORTS.dll") int ComDBGetCurrentPortUsage(HCOMDB__* HComDB, char* Buffer, uint BufferSize, uint ReportType, uint* MaxPortsReported); @DllImport("MSPORTS.dll") int ComDBClaimNextFreePort(HCOMDB__* HComDB, uint* ComNumber); @DllImport("MSPORTS.dll") int ComDBClaimPort(HCOMDB__* HComDB, uint ComNumber, BOOL ForceClaim, int* Forced); @DllImport("MSPORTS.dll") int ComDBReleasePort(HCOMDB__* HComDB, uint ComNumber); @DllImport("MSPORTS.dll") int ComDBResizeDatabase(HCOMDB__* HComDB, uint NewSize);
D
/*_ make.d */ /* Copyright (C) 1985-2018 by Walter Bright */ /* All rights reserved */ /* Written by Walter Bright */ /* * To build for Win32: * dmd dmake dman -O -release -inline */ import core.stdc.ctype; import core.stdc.stdio; import core.stdc.stdlib; import core.stdc.string; import core.stdc.time; import core.sys.windows.stat; //import core.stdc.process; //import core.stdc.direct; version (Windows) { import core.sys.windows.windows; } import man; extern (C): int stricmp(const(char)*, const(char)*) pure nothrow @nogc; extern (Pascal) int response_expand(int*, char ***); int chdir(const char *); int putenv(const char *); int spawnlp(int, const char*, const char *, ...); int utime(const char *, time_t*); struct Stat { align (2): short st_dev; ushort st_ino; ushort st_mode; short st_nlink; ushort st_uid; ushort st_gid; short st_rdev; short dummy; /* for alignment */ int st_size; int st_atime; int st_mtime; int st_ctime; } int stat(const(char)*, Stat*); struct FINDA { align (1): char[21] reserved; char attribute; ushort time,date; uint size; char[260] name; } FINDA* findfirst(const char*, int); FINDA* findnext(); enum ESC = '!'; // our escape character type* NEWOBJ(type)() { return cast(type*) mem_calloc(type.sizeof); } /* File name comparison is case-insensitive on some systems */ version (Windows) int filenamecmp(const(char)* s1, const(char)* s2) { return stricmp(s1, s2); } else int filenamecmp(const(char)* s1, const(char)* s2) { return strcmp(s1, s2); } /* Length of command line */ __gshared int CMDLINELEN; void set_CMDLINELEN(); enum EXTMAX = 5; /************************* * List of macro names and replacement text. * name macro name * perm if true, then macro cannot be replaced * text replacement text * next next macro in list */ struct MACRO { char* name,text; int perm; MACRO *next; } /************************* * List of files */ struct FILELIST { FILENODE *fnode; FILELIST *next; } alias filelist = FILELIST; /************************* * File node. * There is one of these for each file looked at. * name file name * genext extension to be added for generic rule * dlbcln if file is a double-colon target * expanding set to detect circular dependency graphs * time time last modified * dep list of dependencies * rules pointer to rules for making this * next next file node in list */ struct FILENODE { char *name; char[EXTMAX+1] genext; char dblcln; char expanding; time_t time; filelist *dep; RULE *frule; FILENODE *next; } alias filenode = FILENODE; /************************* * Implicit rule. * fromext starting extension * toext generated extension * grule creation rules * next next in list */ struct IMPLICIT { char[EXTMAX+1] fromext; char[EXTMAX+1] toext; RULE *grule; IMPLICIT *next; } alias implicit = IMPLICIT; /************************* * Make rules. * Multiple people can point to one instance of this. * count # of parents of this * gener true if this is an implicit rule * rulelist list of rules */ struct RULE { int count; int gener; LINELIST *rulelist; } alias rule = RULE; /************************* * List of lines */ struct LINELIST { char *line; LINELIST *next; } alias linelist = LINELIST; /********************** Global Variables *******************/ __gshared { bool ignore_errors = false; /* if true then ignore errors from rules */ bool execute = true; /* if false then rules aren't executed */ bool gag = false; /* if true then don't echo commands */ bool touchem = false; /* if true then just touch targets */ bool xdebug = false; /* if true then output debugging info */ bool list_lines = false; /* if true then show expanded lines */ bool usebuiltin = true; /* if true then use builtin rules */ bool print = false; /* if true then print complete set of */ /* macro definitions and target desc. */ bool question = false; /* exit(0) if file is up to date, */ /* else exit(1) */ bool action = false; /* 1 if rules were executed */ const(char)* makefile = "makefile"; /* default makefile */ filenode *filenodestart = null; /* list of all files */ filelist *targlist = null; /* main target list */ implicit *implicitstart = null; /* list of implicits */ MACRO *macrostart = null; /* list of macros */ filenode *dotdefault = null; /* .DEFAULT rule */ char *buf = null; /* input line buffer */ int bufmax = 0; /* max size of line buffer */ int curline = 0; /* makefile line counter */ int inreadmakefile = 0; /* if reading makefile */ int newcnt = 0; /* # of new'ed items */ } /*********************** */ //_WILDCARDS; /* do wildcard expansion */ int main(int argc,char** argv) { char *p; filelist *t; int i; //mem_init(); set_CMDLINELEN(); /* Process switches from MAKEFLAGS environment variable */ p = getenv("MAKEFLAGS"); if (p) { char* p1,p2; char c; /* Create our own copy since we can't modify environment */ p = mem_strdup(p); for (p1 = p; 1;) { p1 = skipspace(p1); if (!*p1) break; p2 = p1; while (*p2 && !isspace(*p2)) p2++; c = *p2; *p2 = 0; /* terminate switch string */ doswitch(p1); p1 = p2; if (c) p1++; } } version (Win32) { if (response_expand(&argc,&argv)) cmderr("can't expand response file\n", null); } for (i = 1; i < argc; i++) /* loop through arguments */ doswitch(argv[i]); addmacro("**","$**",false); addmacro("?","$?",false); addmacro("*","$*",false); addmacro("$","$$",false); addmacro("@","$@",false); addmacro("<","$<",false); /* so they expand safely */ readmakefile(makefile,null); do_implicits(); debug { printf("***** FILES ******\n"); WRfilenodelist(filenodestart); printf("***** IMPLICITS *****\n"); WRimplicit(); printf("***** TARGETS *****\n"); WRfilelist(targlist); } /* Build each target */ for (t = targlist; t; t = t.next) if (t.fnode != dotdefault && !make(t.fnode)) { if (!question) printf("Target '%s' is up to date\n",t.fnode.name); } version (TERMCODE) { /* Free everything up */ mem_free(p); mem_free(buf); freemacro(); freefilelist(targlist); freeimplicits(); freefilenode(filenodestart); mem_term(); if (newcnt) printf("newcnt = %d\n",newcnt); } if (question) exit(action); return EXIT_SUCCESS; } /*************************** * Process switch p. */ void doswitch(char* p) { if (*makefile == 0) /* Could have "-f filename" */ makefile = p; else if (*p == '-') /* if switch */ { p++; switch (tolower(*p)) { case 'd': xdebug = true; break; case 'f': makefile = ++p; break; case 'i': ignore_errors = true; break; case 'l': list_lines = true; break; case 'm': if (p[1] == 'a' && p[2] == 'n' && p[3] == 0) { browse("http://www.digitalmars.com/ctg/make.html"); exit(EXIT_SUCCESS); } execute = false; break; case 'n': execute = false; break; case 'p': print = true; break; case 'q': question = true; break; case 'r': usebuiltin = false; break; case 's': gag = true; break; case 't': touchem = true; break; default: cmderr("undefined switch '%s'\n",--p); } /* switch */ } else /* target or macro definition */ { char *text; text = strchr(p,'='); if (text) /* it's a macro def */ { if (p == text) cmderr("bad macro definition '%s'\n",p); *text = 0; addmacro(p,text + 1,true); } else addtofilelist(p,&targlist); } } /**************** * Process command line error. */ void cmderr(const char* format, const char* arg) { printf( "Digital Mars Make Version 6.00 Copyright (C) Digital Mars 1985-2018. All Rights Reserved. Written by Walter Bright digitalmars.com Documentation: http://www.digitalmars.com/ctg/make.html MAKE [-man] {target} {macro=text} {-dilnqst} [-fmakefile] {@file} @file Get command args from environment or file target What targets to make macro=text Define macro to be text -d Output debugging info -ffile Use file instead of makefile -f- Read makefile from stdin -i Ignore errors from executing make rules -l List macro expansions -n Just echo rules that would be executed -q If rules would be executed -s Do not echo make rules then exit with errorlevel 1 -t Just touch files -man manual Predefined macros: $$ Expand to $ $@ Full target name $? List of dependencies that are newer than target $** Full list of dependencies $* Name of current target without extension $< From name of current target, if made using an implicit rule Rule flags: + Force use of COMMAND.COM to execute rule - Ignore exit status @ Do not echo rule * Can handle environment response files ~ Force use of environment response file "); printf("\nCommand error: "); printf(format,arg); exit(EXIT_FAILURE); } /********************* * Fatal error. */ void faterr(const char* format, const char* arg = null) { if (inreadmakefile) printf("Error on line %d: ",curline); else printf("Error: "); printf(format,arg); printf("\n"); exit(EXIT_FAILURE); } /**************************** * If system time is not known, get it. */ time_t getsystemtime() { time_t t; version (Windows) { time(&t); /* FAT systems get their file times rounded up to a 2 second boundary. So we round up system time to match. */ return (t + 2) & ~1; } else { return time(&t); } } /*************************** * Set system time. */ void setsystemtime(time_t datetime) { /+ union REGS inregs, outregs; unsigned date,time; datetime -= TIMEOFFSET; time = datetime; date = datetime >> 16; inregs.h.ah = 0x2B; /* set date */ inregs.x.cx = (date >> 9) + 1980; inregs.h.dh = (date >> 5) & 0xF; inregs.h.dl = date & 0x1F; intdos(&inregs,&outregs); inregs.h.ah = 0x2D; /* set time */ inregs.h.dl = 0; inregs.h.dh = (time & 0x1F) << 1; inregs.h.cl = (time >> 5) & 0x3F; inregs.h.ch = time >> 11; intdos(&inregs,&outregs); +/ } /******************************** * Get file's date and time. * Return 1L if file doesn't exist. */ time_t gettimex(char* name) { time_t datetime; time_t systemtime; Stat st; if (stat(name,&st) == -1) return 1L; datetime = st.st_mtime; debug printf("Returning x%lx\n",datetime); systemtime = getsystemtime(); if (datetime > systemtime) { static if (1) { printf("File '%s' is newer than system time.\n",name); printf("File time = %ld, system time = %ld\n",datetime,systemtime); printf("File time = '%s'\n",ctime(&datetime)); printf("Sys time = '%s'\n",ctime(&systemtime)); } else { char c; printf("File '%s' is newer than system time. Fix system time (Y/N)? ", name); fflush(stdout); c = bdos(1); if (c == 'y' || c == 'Y') setsystemtime(datetime); fputc('\n',stdout); } } return datetime; } /****************************** * "Touch" a file, that is, give it the current date and time. * Returns: * Time that was given to the file. */ time_t touch(char* name) { time_t[2] timep = void; printf("touch('%s')\n",name); time(&timep[1]); utime(name,timep.ptr); return timep[1]; } /*************************** * Do our version of the DEL command. */ void builtin_del(char *args) { FINDA *f; char *pe; char c; while (1) { /* Find start of argument */ args = skipspace(args); if (!*args) break; /* Find end of argument */ pe = args + 1; while (*pe && !isspace(*pe)) pe++; c = *pe; *pe = 0; /* args now points at 0-terminated argument */ f = findfirst(args,0); while (f) { remove(f.name.ptr); f = findnext(); } /* Point past argument for next one */ *pe = c; args = pe; } } /*************************** * Do our version of the CD command. */ int builtin_cd(char *args) { char *pe; char c; int i; /* Find start of argument */ args = skipspace(args); if (!*args) return 0; /* Find end of argument */ pe = args + 1; while (*pe && !isspace(*pe)) pe++; c = *pe; *pe = 0; /* args now points at 0-terminated argument */ i = chdir(args); if (i) return 1; return 0; } /********************* * Read makefile and build data structures. */ linelist **readmakefile(const char *makefile,linelist **rl) { FILE *f; char* line,p,q; int curlinesave = curline; if (!strcmp(makefile,"-")) f = stdin; /* -f- means read from stdin */ else f = fopen(makefile,"r"); if (!f) faterr("can't read makefile '%s'",makefile); inreadmakefile++; while (true) { if (readline(f)) /* read input line */ break; /* end of file */ line = expandline(buf); /* expand macros */ p = line; if (isspace(*p)) /* rule line */ { if (*skipspace(p) == 0) /* if line is blank */ mem_free(line); /* ignore it */ else { if (!rl) /* no current target */ faterr("target must appear before commands", null); /* add line to current rule */ *rl = NEWOBJ!(linelist)(); (*rl).line = line; rl = &((*rl).next); } } else if (isimplicit(p)) { rl = addimplicit(p); mem_free(line); } else /* macro line or target line */ { char *pn; pn = skipname(p); p = skipspace(pn); if (*p == '=') /* it's a macro line */ { *pn = 0; p = skipspace(p + 1); addmacro(line,p,false); } else if (!*p) /* if end of line */ { *pn = 0; /* delete trailing whitespace */ if (!strcmp(line,".SILENT")) gag = true; else if (!strcmp(line,".IGNORE")) ignore_errors = true; else faterr("unrecognized target '%s'",line); } else if (memcmp(line,"include".ptr,7) == 0) rl = readmakefile(p,rl); else /* target line */ rl = targetline(line); mem_free(line); } } curline = curlinesave; fclose(f); inreadmakefile--; return rl; } /************************* */ void addmacro(const char* name, const char* text, int perm) { MACRO **mp; debug printf("addmacro('%s','%s',%d)\n",name,text,perm); for (mp = &macrostart; *mp; mp = &((*mp).next)) { if (!strcmp(name,(*mp).name)) /* already in macro table */ { if ((*mp).perm) /* if permanent entry */ return; /* then don't change it */ mem_free((*mp).text); goto L1; } } *mp = NEWOBJ!(MACRO)(); (*mp).name = mem_strdup(name); L1: (*mp).text = mem_strdup(skipspace(text)); (*mp).perm = perm; } /************************* * Add target rule. * Return pointer to pointer to rule list. */ linelist **targetline(char* p) { filelist* tlist,tl; filenode *t; rule *r; int nintlist; /* # of files in tlist */ char *pend; char c; char dblcln; debug printf("targetline('%s')\n",p); tlist = null; /* so addtofilelist() will work */ /* Pull out list of targets appearing before the ':'. Put them */ /* all in tlist. */ do { pend = skipname(p); if (p == pend || !*p) faterr("expecting target : dependencies"); /* Attempt to disambiguate : */ if (*(pend - 1) == ':') pend--; c = *pend; *pend = 0; addtofilelist(p,&tlist); if (strcmp(p,".DEFAULT") == 0) dotdefault = findfile(p,true); /*printf("adding '%s' to tlist\n",p);*/ *pend = c; p = skipspace(pend); } while (*p != ':'); p++; /* skip over ':' */ dblcln = 1; if (*p == ':') /* if :: dependency */ { dblcln++; p++; } r = NEWOBJ!(rule)(); for (tl = tlist; tl; tl = tl.next) { t = tl.fnode; /* for each target t in tlist */ t.dblcln = dblcln; if (t.frule) /* if already got rules */ { /*faterr("already have rules for %s\n",t.name);*/ freerule(t.frule); /* dump them */ } t.frule = r; /* point at rule */ r.count++; /* count how many point at this */ } /* for each dependency broken out */ p = skipspace(p); while (*p && *p != ';') { pend = skipname(p); if (p == pend) { char[2] s = void; s[0] = *p; s[1] = 0; faterr("'%s' is not a valid filename char", s.ptr); } c = *pend; *pend = 0; for (tl = tlist; tl; tl = tl.next) { t = tl.fnode; /* for each target t in tlist */ /* add this dependency to its dependency list */ addtofilelist(p,&(t.dep)); /*printf("Adding dep '%s' to file '%s'\n",p,t.name);*/ } *pend = c; p = skipspace(pend); } if (!targlist && /* if we don't already have one */ (tlist.next || tlist.fnode != dotdefault) ) targlist = tlist; /* use the first one we found */ else { debug printf("freefilelist(%p)\n",tlist); freefilelist(tlist); /* else dump it */ } if (*p == ';') { p = skipspace(p + 1); if (*p) { r.rulelist = NEWOBJ!(linelist)(); r.rulelist.line = mem_strdup(p); return (&r.rulelist.next); } } return &(r.rulelist); } /*********************** * Determine if line p is an implicit rule. */ int isimplicit(char* p) { char *q; if (*p == '.' && isfchar(p[1]) && (q = strchr(p+2,'.')) != null && strchr(p,':') > q) /* implicit line */ return true; else return false; } /************************* * Add implicit rule. * Return pointer to pointer to rule list. */ linelist **addimplicit(char* p) { implicit *g; implicit **pg; implicit *gr; rule *r; char *pend; char c; debug printf("addimplicit('%s')\n",p); pg = &implicitstart; r = NEWOBJ!(rule)(); do { while (*pg) pg = &((*pg).next); g = *pg = NEWOBJ!(implicit)(); g.grule = r; r.count++; /* Get fromext[] */ pend = ++p; /* skip over . */ while (isfchar(*pend)) pend++; if (p == pend) goto err; c = *pend; *pend = 0; if (strlen(p) > EXTMAX) goto err; strcpy(g.fromext.ptr,p); *pend = c; p = skipspace(pend); /* Get toext[] */ if (*p++ != '.') goto err; pend = p; while (isfchar(*pend)) pend++; if (p == pend) goto err; c = *pend; *pend = 0; if (strlen(p) > EXTMAX) goto err; strcpy(g.toext.ptr,p); *pend = c; p = skipspace(pend); /* See if it's already in the list */ for (gr = implicitstart; gr != g; gr = gr.next) if (!filenamecmp(gr.fromext.ptr,g.fromext.ptr) && !filenamecmp(gr.toext.ptr,g.toext.ptr)) faterr("ambiguous implicit rule", null); debug printf("adding implicit rule from '%s' to '%s'\n", g.fromext,g.toext); } while (*p == '.'); if (*p != ':') goto err; /* Rest of line must be blank */ p = skipspace(p + 1); if (*p == ';') /* rest of line is a rule line */ { p = skipspace(p + 1); if (*p) { r.rulelist = NEWOBJ!(linelist)(); r.rulelist.line = mem_strdup(p); return (&r.rulelist.next); } } if (*p) goto err; return &(r.rulelist); err: faterr("bad syntax for implicit rule, should be .frm.to:", null); assert(0); } /************************* * Read line from file f into buf. * Remove comments at this point. * Remove trailing whitespace from line. * Returns: * true if end of file */ int readline(FILE *f) { int i,c; i = 0; again: do { L0: while (TRUE) { if (i >= bufmax) { bufmax += 100; buf = cast(char*)mem_realloc(buf,bufmax); } do { c = fgetc(f); /* read char from file */ } while(c == '\r'); /* ignoring CRs */ L1: if (c == '#') { /* If this immediately follows an escape character ... */ if (i && (buf[i - 1] == ESC || buf[i - 1] == '\\')) { /* ... then pretend that the # has not happened; */ i--; } else { int cLast = -1; /* ... otherwise ignore everything until the end of line */ for(;;) { c = fgetc(f); if(c == '\n' || c == EOF) { break; } cLast = c; } if(c == '\n') { curline++; /* Only continue as part of next line if the last character * in this (comment) line is a continuation. In effect, this * allows the abc#xyz\ sequence to denote a slice out of a * (multi-)line which translates to abc\, which is what we're * after in all circumstances. * * Hence, to ignore a line within a continued sequence of lines * the commented line(s) must be terminated with a trailing * continuation. */ if(cLast == ESC || cLast == '\\') { goto L0; /* This could be "continue", but not proof against future maintenance */ } } } } if (c == EOF) break; if (c == '\n') /* if end of input line */ { curline++; /* If the last character is line continuation, or escape ... */ if (i && (buf[i - 1] == ESC || buf[i - 1] == '\\')) { /* ... then change it to a space and ignore any subsequent * whitespace. */ buf[i - 1] = ' '; do { c = fgetc(f); } while (c == ' ' || c == '\t'); goto L1; /* line continuation */ } /* A complete line is aquired, so break out */ break; } buf[i++] = cast(char)c; } } while (i == 0 && c != EOF); /* if 0 length line */ buf[i] = 0; /* terminate string */ debug printf("[%d:%s]\n", curline, buf); return (c == EOF); } /******************* * Add filename to end of file list. */ void addtofilelist(char* filename, filelist** pflist) { filelist **pfl; filelist* fl; for (pfl = pflist; *pfl; pfl = &((*pfl).next)) { if (!filenamecmp(filename,(*pfl).fnode.name)) return; /* if already in list */ } fl = NEWOBJ!(filelist)(); *pfl = fl; fl.fnode = findfile(filename,true); } /***************** * Find filename in file list. * If it isn't there and install is true, install it. */ filenode *findfile(char* filename, int install) { filenode **pfn; /*debug printf("findfile('%s')\n",filename);*/ for (pfn = &filenodestart; *pfn; pfn = &((*pfn).next)) { if (!filenamecmp((*pfn).name,filename)) return *pfn; } if (install) { *pfn = NEWOBJ!(filenode)(); (*pfn).name = mem_strdup(filename); } return *pfn; } /************************ * Perform macro expansion on the line pointed to by buf. * Return pointer to created string. */ char *expandline(char *buf) { uint i; /* where in buf we have expanded up to */ uint b; /* start of macro name */ uint t; /* start of text following macro call */ uint p; /* 1 past end of macro name */ int paren; char c; const(char)* text; debug printf("expandline('%s')\n",buf); buf = mem_strdup(buf); i = 0; while (buf[i]) { if (buf[i] == '$') /* if start of macro */ { b = i + 1; if (buf[b] == '(') { paren = true; b++; p = b; while (buf[p] != ')') if (!buf[p++]) faterr("')' expected"); t = p + 1; } else { paren = false; /* Special case to recognize $** */ p = b + 1; if (buf[b] == '*' && buf[p] == '*') p++; t = p; } c = buf[p]; buf[p] = 0; text = searchformacro(buf + b); buf[p] = c; const textlen = strlen(text); /* If replacement text exactly matches macro call, skip expansion */ if (textlen == t - i && strncmp(text,buf + i,t - i) == 0) i = t; else { const buflen = strlen(buf); buf = cast(char*)mem_realloc(buf,buflen + textlen + 1); memmove(buf + i + textlen,buf + t,buflen + 1 - t); memmove(buf + i,text,textlen); if (textlen == 1 && *text == '$') i++; } } else i++; } if (list_lines && inreadmakefile) printf("%s\n",buf); return buf; } /********************* * Search for macro. */ const(char)* searchformacro(const char *name) { MACRO *m; char *envstring; for (m = macrostart; m; m = m.next) if (!strcmp(name,m.name)) return m.text; envstring = getenv(name); if (envstring) return envstring; // Maybe it's a file { FILE *f; f = fopen(name, "r"); if (f) { char *bufsave = buf; int bufmaxsave = bufmax; int curlinesave = curline; char *p; buf = null; bufmax = 0; curline = 0; readline(f); // BUG: should check for multiple lines instead of ignoring them p = buf; buf = bufsave; bufmax = bufmaxsave; curline = curlinesave; fclose(f); return p; } } return "".ptr; } /******************** * Skip spaces. */ inout(char) *skipspace(inout(char)* p) { while (isspace(*p)) p++; return p; } /******************** * Skip file names. */ char *skipname(char* p) { char *pstart = p; while (ispchar(*p)) { /* for strings like "h: " or "abc:", do not regard the */ /* : as part of the filename */ if (*p == ':' && ((p - pstart) != 1 || isspace(p[1]))) break; p++; } return p; } /******************** * Return pointer to extension in name (the .). * If no extension, return pointer to trailing 0. */ char *filespecdotext(char* p) { char *s; s = p + strlen(p); while (*s != '\\' && *s != ':' && *s != '/') { if (*s == '.') return s; if (s == p) break; s--; } return p + strlen(p); } /*********************** * Return true if char is a file name character. */ int isfchar(char c) { return isalnum(c) || c == '_' || c == '-'; } /*********************** * Return true if char is a file name character, including path separators * and .s */ int ispchar(char c) { return isfchar(c) || c == ':' || c == '/' || c == '\\' || c == '.'; } /*********************** * Add extension to filename. * Delete old extension if there was one. */ char *filespecforceext(char* name, char* ext) { char* newname,p; newname = cast(char*)mem_calloc(strlen(name) + strlen(ext) + 1 + 1); strcpy(newname,name); p = filespecdotext(newname); *p++ = '.'; strcpy(p,ext); p = mem_strdup(newname); mem_free(newname); return p; } /*********************** * Get root name of file name. */ char *filespecgetroot(char* name) { char* root,p; char c; p = filespecdotext(name); c = *p; *p = 0; root = mem_strdup(name); *p = c; return root; } /******************************* * Look through files. If any have no rules, see if we can * apply an implicit rule. */ void do_implicits() { filenode *f; char* ext,depname; implicit *g; time_t time; for (f = filenodestart; f; f = f.next) { if (f.frule) { if (f.frule.rulelist) /* if already have rules */ continue; freerule(f.frule); f.frule = null; } ext = filespecdotext(f.name); if (*ext == '.') ext++; for (g = implicitstart; g; g = g.next) { if (!filenamecmp(ext,g.toext.ptr)) { filenode *fd; strcpy(f.genext.ptr,g.fromext.ptr); depname = filespecforceext(f.name,f.genext.ptr); time = gettimex(depname); if (time == 1L) /* if file doesn't exist */ { fd = findfile(depname,false); if (!fd) { mem_free(depname); continue; } } else fd = findfile(depname,true); fd.time = time; f.frule = g.grule; f.frule.count++; addtofilelist(depname,&(f.dep)); mem_free(depname); break; } } static if (0) { if (!g && dotdefault) /* if failed to find implicit rule */ { /* Use default rule */ f.frule = dotdefault.frule; f.frule.count++; } } } } /*************************** * Make a file. Return true if rules were executed. */ int make(filenode* f) { int made = false; int gooddate = false; filelist *dl; /* dependency list */ filelist *newer; char *newbuf; int totlength,starstarlen; if (f.expanding) faterr("circular dependency for '%s'",f.name); debug printf("make('%s')\n",f.name); dl = f.dep; addmacro("$","$",false); addmacro("?","",false); /* the default */ addmacro("**","",false); if (!f.frule || !f.frule.rulelist) /* if no make rules */ { if (f.time <= 1) f.time = gettimex(f.name); if (!dl) /* if no dependencies */ { if (f.time == 1) /* if file doesn't exist */ { if (dotdefault && dotdefault.frule && dotdefault.frule.rulelist) { f.frule = dotdefault.frule; f.frule.count++; return dorules(f); } else faterr("don't know how to make '%s'",f.name); } return false; } } if (!dl) /* if no dependencies */ return dorules(f); /* execute rules */ /* Make each dependency, also compute length of $** expansion */ starstarlen = 0; f.expanding++; for (; dl; dl = dl.next) { made |= make(dl.fnode); starstarlen += strlen(dl.fnode.name) + 1; } f.expanding--; newbuf = cast(char*)mem_calloc(starstarlen + 1); *newbuf = 0; /* initial 0 length string */ /* If there are any newer dependencies, we must remake this one */ newer = null; totlength = 0; for (dl = f.dep; dl; dl = dl.next) { if (!dl.fnode.time) dl.fnode.time = gettimex(dl.fnode.name); strcat(newbuf,dl.fnode.name); strcat(newbuf," "); L1: if (f.time < dl.fnode.time) { if (!gooddate) /* if date isn't guaranteed */ { f.time = gettimex(f.name); gooddate = true; goto L1; } if (xdebug) { if (f.time == 1L) printf("File '%s' doesn't exist\n",f.name); else printf("file '%s' is older than '%s'\n", f.name,dl.fnode.name); } /* still out of date */ addtofilelist(dl.fnode.name,&newer); totlength += strlen(dl.fnode.name) + 1; } } addmacro("**",newbuf,false); /* full list of dependencies */ mem_free(newbuf); if (newer) /* if any newer dependencies */ { filelist *fl; newbuf = cast(char*)mem_calloc(totlength + 1); *newbuf = 0; /* initial 0 length string */ for (fl = newer; fl; fl = fl.next) { strcat(newbuf,fl.fnode.name); strcat(newbuf," "); } addmacro("?",newbuf,false); /* newer dependencies */ mem_free(newbuf); freefilelist(newer); return made | dorules(f); } if (!gooddate) f.time = gettimex(f.name); return made; } /******************************** * Execute rules for a filenode. * Return true if we executed some rules. */ int dorules(filenode* f) { char* root, fromname; linelist *l; debug printf("dorules('%s')\n",f.name); if (!f.frule) return false; if (touchem) { f.time = touch(f.name); return true; /* assume rules were executed */ } root = filespecgetroot(f.name); fromname = filespecforceext(root,f.genext.ptr); addmacro("*",root,false); addmacro("<",fromname,false); addmacro("@",f.name,false); mem_free(root); mem_free(fromname); for (l = f.frule.rulelist; l; l = l.next) executerule(l.line); f.time = gettimex(f.name); return true; } /****************************** * Determine if filename p is in the array of strings. */ int inarray(const char *p, const char **array, size_t dim) { const(char*)* b; int result = 0; for (b = array; b < &array[dim]; b++) if (!filenamecmp(p,*b)) { result = 1; break; } return result; } /****************************** * Execute a rule. */ void executerule(char* p) { char echo = true; char igerr = false; char useCOMMAND = false; char useenv = 0; char forceuseenv = 0; char* cmd,args; char c; debug printf("executerule('%s')\n",p); if (question) { action = 1; /* file is not up to date */ return; } p = skipspace(p); while (1) { switch (*p) { case '+': useCOMMAND = true; p++; continue; case '@': echo = false; p++; continue; case '-': igerr = true; p++; continue; case '*': useenv = '@'; p++; continue; case '~': forceuseenv = true; useenv = '@'; p++; continue; default: break; } break; } p = skipspace(p); p = expandline(p); /* expand any macros */ if (echo && !gag) /* if not suppressed */ printf("%s\n",p); /* print the line */ fflush(stdout); /* update all output before fork */ cmd = skipspace(p); if (!execute || !*cmd) /* if execution turned off or */ /* a blank command */ { mem_free(p); return; } bool flag = true; version (Windows) { flag = false; /* Separate between command and args */ bool quoted = false; char *cmdstart = cmd; while (!isspace(*cmd) && *cmd) { if (*cmd == '"') { quoted = true; break; } cmd++; } // Handle quoted command if (quoted) { cmd = cmdstart; char *q = cmd; quoted = false; while (*cmd) { if (quoted) { if (*cmd == '"') quoted = false; else *q++ = *cmd; } else if (isspace(*cmd)) break; else if (*cmd == '"') quoted = true; else *q++ = *cmd; ++cmd; } *q = 0; } args = (*cmd) ? cmd + 1 : cmd; c = *cmd; *cmd = 0; /* Handle commands we know about special */ { __gshared const(char)*[] builtin = /* MS-DOS built-in commands */ [ "break","cls","copy","ctty", "date","dir","echo","erase","exit", "for","goto","if","md","mkdir","pause", "rd","rem","rmdir","ren","rename", "shift","time","type","ver","verify","vol" ]; __gshared const(char)*[] respenv = /* uses our response files */ [ "ztc","make","touch","blink","blinkr","blinkx", "zorlib","zorlibx","lib","zrcc","sc","sj", "dmc","dmd" ]; __gshared const(char)*[] pharrespenv = /* uses pharlap response files */ [ "386asm","386asmr","386link","386linkr","386lib","fastlink", "bind386", ]; useCOMMAND |= inarray(p,builtin.ptr,builtin.length); if (inarray(p,respenv.ptr,respenv.length)) useenv = '@'; if (inarray(p,pharrespenv.ptr,pharrespenv.length)) useenv = '%'; } /* Use COMMAND.COM for .BAT files */ if (!filenamecmp(filespecdotext(p),".bat")) useCOMMAND |= true; if (useCOMMAND) { Lcmd: *cmd = c; /* restore stomped character */ if (strlen(p) > CMDLINELEN - 2) /* -2 for /c switch */ faterr("command line too long"); debug printf("Using COMMAND.COM\n"); system(p); } else if (!filenamecmp(p,"del")) { if (strchr(args,'\\')) { useCOMMAND = true; goto Lcmd; } builtin_del(args); } else if (!filenamecmp(p,"cd")) { int status; status = builtin_cd(args); if (status && !ignore_errors && !igerr) { printf("--- errorlevel %d\n",status); exit((status & 0xFF) ? status : 0xFF); } } else if (!filenamecmp(p,"set")) { char *q; for (q = args; *q && *q != '='; q++) *q = cast(char)toupper(*q); /* convert env var to uc */ if (putenv(args)) /* set environment */ faterr("out of memory"); } else flag = true; } if (flag) { int status; size_t len; debug printf("Using FORK\n"); version (Windows) { if (forceuseenv || (len = strlen(args)) > CMDLINELEN) { char *q; char[10] envname = "@_CMDLINE"; if (!useenv) goto L1; envname[0] = useenv; q = cast(char *) mem_calloc(envname.sizeof + len); sprintf(q,"%s=%s",envname.ptr + 1,args); status = putenv(q); mem_free(q); if (status == 0) args = envname.ptr; else { L1: faterr("command line too long"); } } } static if (1) { version (POSIX) status = system(p); else status = spawnlp(0,p,p,args,null); if (status == -1) faterr("'%s' not found",p); } else { status = forklp(p,p,"",args,null); if (status) /* if error */ faterr("'%s' not found",p); else status = wait(); /* exit code of p */ } printf("\n"); if (status && !ignore_errors && !igerr) { printf("--- errorlevel %d\n",status); exit((status & 0xFF) ? status : 0xFF); } } mem_free(p); } /**************************************** * Get max command line length */ void set_CMDLINELEN() { /* See also: * http://msdn.microsoft.com/library/default.asp?url=/library/en-us/win9x/msdos_694j.asp */ version (Windows) { version (all) { CMDLINELEN = 10000; } else { OSVERSIONINFO OsVerInfo; OsVerInfo.dwOSVersionInfoSize = OsVerInfo.sizeof; GetVersionEx(&OsVerInfo); CMDLINELEN = 10000; switch (OsVerInfo.dwMajorVersion) { case 3: // NT 3.51 CMDLINELEN = 996; break; case 4: // Windows 95, 98, Me, NT 4.0 case 5: // 2000, XP, Server 2003 family default: if (OsVerInfo.dwPlatformId == VER_PLATFORM_WIN32_WINDOWS) { // Windows 95/98/Me CMDLINELEN = 1024; } break; } } } } /****************** STORAGE MANAGEMENT *****************/ static if (1) { /******************* */ void *mem_calloc(size_t size) { void* p; /* debug printf("size = %d\n",size);*/ newcnt++; p = calloc(size,1); if (!p) faterr("out of memory"); /* debug printf("mem_calloc() = %p\n",p);*/ return p; } /******************* */ void mem_free(void *p) { /*debug printf("mem_free(%p)\n",p);*/ if (p) { free(p); newcnt--; } } /******************** * Re-allocate a buffer. */ void *mem_realloc(void *oldbuf, size_t newbufsize) { void* p; if (!oldbuf) newcnt++; p = realloc(oldbuf,newbufsize); if (p == null) faterr("out of memory"); return p; } /****************** * Save string in new'ed memory and return a pointer to it. */ char *mem_strdup(const char *s) { return strcpy(cast(char*)mem_calloc(strlen(s) + 1),s); } } version (TERMCODE) { void freemacro() { MACRO* m,mn; for (m = macrostart; m; m = mn) { mn = m.next; mem_free(m.name); mem_free(m.text); mem_free(m); } } } void freefilelist(filelist *fl) { filelist *fln; for (; fl; fl = fln) { fln = fl.next; mem_free(fl); } } version (TERMCODE) { void freeimplicits() { implicit* g,gn; for (g = implicitstart; g; g = gn) { gn = g.next; freerule(g.grule); mem_free(g); } } void freefilenode(filenode *f) { filenode *fn; for (; f; f = fn) { fn = f.next; mem_free(f.name); freefilelist(f.dep); freerule(f.frule); mem_free(f); } } } void freerule(rule* r) { linelist* l,ln; if (!r || --r.count) return; for (l = r.rulelist; l; l = ln) { ln = l.next; mem_free(l.line); mem_free(l); } mem_free(r); } /****************** DEBUG CODE *************************/ debug { void WRmacro(MACRO *m) { printf("macro %p: perm %d next %p name '%s' = '%s'\n", m,m.perm,m.next,m.name,m.text); } void WRmacrolist() { MACRO *m; printf("****** MACRO LIST ********\n"); for (m = macrostart; m; m = m.next) WRmacro(m); } void WRlinelist(linelist *l) { while (l) { printf("line %p next %p: '%s'\n",l,l.next,l.line); l = l.next; } } void WRrule(rule *r) { printf("rule %p: count = %d\n",r,r.count); WRlinelist(r.rulelist); } void WRimplicit() { implicit *g; for (g = implicitstart; g; g = g.next) { printf("implicit %p next %p: from '%s' to '%s'\n", g,g.next,g.fromext,g.toext); WRrule(g.grule); putchar('\n'); } } void WRfilenode(filenode *f) { filelist *fl; printf("filenode %p: name '%s' genext '%s' time %ld\n", f,f.name,f.genext,f.time); printf("Dependency list:\n"); for (fl = f.dep; fl; fl = fl.next) printf("\t%s\n",fl.fnode.name); if (f.frule) WRrule(f.frule); putchar('\n'); } void WRfilelist(filelist *fl) { for (; fl; fl = fl.next) WRfilenode(fl.fnode); } void WRfilenodelist(filenode *fn) { for (; fn; fn = fn.next) WRfilenode(fn); } }
D
/Users/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/Objects-normal/x86_64/KeyboardTrackingView.o : /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/AccessibleMessage.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Identifiable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BackgroundViewable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Theme.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessagesSegue.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Weak.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable+Animation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/TopBottomAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsPanHandler.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/WindowViewController.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Presenter.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Error.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Animator.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessages.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSBundle+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIViewController+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CALayer+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIEdgeInsets+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSLayoutConstraint+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MessageView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BaseView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CornerRoundingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/KeyboardTrackingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MaskingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughWindow.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/sunny/Documents/MVVMC-Poc/Pods/Target\ Support\ Files/SwiftMessages/SwiftMessages-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/Objects-normal/x86_64/KeyboardTrackingView~partial.swiftmodule : /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/AccessibleMessage.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Identifiable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BackgroundViewable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Theme.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessagesSegue.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Weak.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable+Animation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/TopBottomAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsPanHandler.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/WindowViewController.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Presenter.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Error.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Animator.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessages.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSBundle+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIViewController+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CALayer+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIEdgeInsets+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSLayoutConstraint+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MessageView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BaseView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CornerRoundingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/KeyboardTrackingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MaskingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughWindow.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/sunny/Documents/MVVMC-Poc/Pods/Target\ Support\ Files/SwiftMessages/SwiftMessages-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/Objects-normal/x86_64/KeyboardTrackingView~partial.swiftdoc : /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/AccessibleMessage.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Identifiable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BackgroundViewable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Theme.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessagesSegue.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Weak.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable+Animation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/TopBottomAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsPanHandler.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/WindowViewController.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Presenter.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Error.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Animator.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessages.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSBundle+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIViewController+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CALayer+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIEdgeInsets+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSLayoutConstraint+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MessageView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BaseView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CornerRoundingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/KeyboardTrackingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MaskingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughWindow.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/sunny/Documents/MVVMC-Poc/Pods/Target\ Support\ Files/SwiftMessages/SwiftMessages-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
import core.thread.fiber; import std.stdio; enum HelloState { Hello, World, End, } void main() { auto hello = new Fiber({ with(HelloState) { auto state = Hello; while (state != End) { final switch (state) { case Hello: writeln("Hello, "); state = World; break; case World: writeln("World!"); state = End; break; case End: break; } Fiber.yield; } } }); hello.call; hello.call; hello.call; assert(hello.state == Fiber.State.TERM); // hello.call; // --> segv! }
D
/home/arnav/Desktop/rust_proj/rustygrep/minigrep/target/debug/deps/minigrep-349d8ee4778b26b6.rmeta: src/lib.rs /home/arnav/Desktop/rust_proj/rustygrep/minigrep/target/debug/deps/minigrep-349d8ee4778b26b6.d: src/lib.rs src/lib.rs:
D
INSTANCE Info_Mod_Bodo_MT_Hi (C_INFO) { npc = Mod_1941_SNOV_Bodo_NW; nr = 1; condition = Info_Mod_Bodo_MT_Hi_Condition; information = Info_Mod_Bodo_MT_Hi_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Bodo_MT_Hi_Condition() { return 1; }; FUNC VOID Info_Mod_Bodo_MT_Hi_Info() { AI_Output(self, hero, "Info_Mod_Bodo_MT_Hi_36_00"); //Ich habe dich schon erwartet. An mir kommst du nicht vorbei, das schwöre ich. AI_UnequipArmor (self); CreateInvItems (self, ItAr_Raven_Addon, 1); AI_EquipArmor (self, ItAr_Raven_Addon); AI_StopProcessInfos (self); B_Attack (self, hero, AR_GuildEnemy, 0); if (!Npc_KnowsInfo(hero, Info_Mod_Alissandro_Hagen)) { B_LogEntry (TOPIC_MOD_AL_FLUCHT, "Im Minental hat mich Bodo angegriffen."); }; };
D
/Users/jazking/Developer/iOS/Projects/MarvelCharacters/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageTransition.o : /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/Image.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/Filter.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Result.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Box.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotesc /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/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Kingfisher.h /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageTransition~partial.swiftmodule : /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/Image.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/Filter.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Result.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Box.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotesc /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/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Kingfisher.h /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageTransition~partial.swiftdoc : /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/Image.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/Filter.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Result.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Utility/Box.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotesc /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/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Pods/Kingfisher/Sources/Kingfisher.h /Users/jazking/Developer/iOS/Projects/MarvelCharacters/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Console.build/Output/Console+Wait.swift.o : /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Terminal/ANSI.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Deprecated.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Console.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleStyle.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Choose.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityIndicatorState.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Ask.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Terminal/Terminal.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Clear/Console+Ephemeral.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Confirm.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/LoadingBar.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ProgressBar.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityBar.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Clear/Console+Clear.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Clear/ConsoleClear.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Utilities/ConsoleLogger.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/Console+Center.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleColor.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Utilities/ConsoleError.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityIndicator.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Utilities/Exports.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/Console+Wait.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleTextFragment.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Input.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/Console+Output.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleText.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/Service.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Logging.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/Console.build/Console+Wait~partial.swiftmodule : /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Terminal/ANSI.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Deprecated.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Console.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleStyle.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Choose.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityIndicatorState.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Ask.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Terminal/Terminal.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Clear/Console+Ephemeral.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Confirm.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/LoadingBar.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ProgressBar.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityBar.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Clear/Console+Clear.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Clear/ConsoleClear.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Utilities/ConsoleLogger.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/Console+Center.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleColor.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Utilities/ConsoleError.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityIndicator.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Utilities/Exports.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/Console+Wait.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleTextFragment.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Input.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/Console+Output.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleText.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/Service.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Logging.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/Console.build/Console+Wait~partial.swiftdoc : /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Terminal/ANSI.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Deprecated.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Console.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleStyle.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Choose.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityIndicatorState.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Ask.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Terminal/Terminal.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Clear/Console+Ephemeral.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Confirm.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/LoadingBar.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ProgressBar.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityBar.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Clear/Console+Clear.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Clear/ConsoleClear.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Utilities/ConsoleLogger.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/Console+Center.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleColor.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Utilities/ConsoleError.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Activity/ActivityIndicator.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Utilities/Exports.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/Console+Wait.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleTextFragment.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Input/Console+Input.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/Console+Output.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/console.git--1231705849320085599/Sources/Console/Output/ConsoleText.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/Service.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/Logging.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
import std.stdio; import std.typecons; /* D has powerful metaprogramming abilties which allow it to implement typedef as a library feature. Simply import std.typecons and use the Typedef template: import std.typecons; alias Handle = Typedef!(void*); void foo(void*); void bar(Handle); Handle h; foo(h); // syntax error bar(h); // ok To handle a default value, pass the initializer to the Typedef template as the second argument and refer to it with the .init property: alias Handle = Typedef!(void*, cast(void*)-1); Handle h; h = func(); if (h != Handle.init) ... There's only one name to remember: Handle. */ alias Handle = Typedef!(void*); void foo(void*) {} void bar(Handle) {} void main() { Handle h ; //foo(h); //syntax error bar(h); //ok }
D