code stringlengths 3 10M | language stringclasses 31 values |
|---|---|
module Kanan.field;
struct Field {
import Kanan.rsvData : rsvFieldData;
import std.conv : to;
import std.math : abs;
import std.stdio : writeln;
import std.algorithm : copy;
this(Field field, int[] myMoveDir, bool whichTeam) {
this.myMoveDir = new int[myMoveDir.length];
foreach (i; 0 .. myMoveDir.length) {
this.myMoveDir[i] = myMoveDir[i];
}
this.myMoveDir = myMoveDir;
this.width = field.width;
this.height = field.height;
this.point = field.point;
this.startedAtUnixTime = field.startedAtUnixTime;
color = new int[][](this.height, this.width);
foreach (i; 0 .. height) {
foreach (j; 0 .. width) {
this.color[i][j] = field.color[i][j];
}
}
this.agentNum = field.agentNum;
this.myTeamID = field.myTeamID;
myAgentData = new int[][](this.agentNum, 3);
foreach (i; 0 .. agentNum) {
this.myAgentData[i][0] = field.myAgentData[i][0];
this.myAgentData[i][1] = field.myAgentData[i][1];
this.myAgentData[i][2] = field.myAgentData[i][2];
}
rivalAgentData = new int[][](this.agentNum, 3);
foreach (i; 0 .. agentNum) {
this.rivalAgentData[i][0] = field.rivalAgentData[i][0];
this.rivalAgentData[i][1] = field.rivalAgentData[i][1];
this.rivalAgentData[i][2] = field.rivalAgentData[i][2];
}
this.rivalTeamID = field.rivalTeamID;
this.moveType = new string[field.agentNum];
// moveAgent(myMoveDir, whichTeam);
/* calcTilePoint(); */
/* calcMyAreaPoint(); */
/* calcRivalAreaPoint(); */
}
this(Field field) {
this.width = field.width;
this.height = field.height;
this.point = field.point;
this.startedAtUnixTime = field.startedAtUnixTime;
this.color = new int[][](height, width);
foreach (i; 0 .. height) {
foreach (j; 0 .. width) {
this.color[i][j] = field.color[i][j];
}
}
this.agentNum = field.agentNum;
this.myTeamID = field.myTeamID;
this.myAgentData = field.myAgentData;
this.rivalTeamID = field.rivalTeamID;
this.rivalAgentData = field.rivalAgentData;
this.moveType = new string[field.agentNum];
/* calcTilePoint(); */
/* calcMyAreaPoint(); */
/* calcRivalAreaPoint(); */
}
int[] myMoveDir;
int width;
int height;
int[][] point;
int startedAtUnixTime;
int[][] color;
int agentNum;
int myTeamID;
int[][] myAgentData;
int myTilePoint;
int myAreaPoint;
int rivalTeamID;
int[][] rivalAgentData;
int rivalTilePoint;
int rivalAreaPoint;
int maxTurn;
int turn;
bool[][] myAreaPointFlg;
bool[][] rivalAreaPointFlg;
string[] moveType;
// 移動方向
int[] dx = [0, -1, -1, 0, 1, 1, 1, 0, -1];
int[] dy = [0, 0, -1, -1, -1, 0, 1, 1, 1];
// エージェントの移動 {{{
void moveAgent(int[] dir, bool whichTeam)
{
if (whichTeam) {
int[][] tmpAgentPos = new int[][](agentNum, 2);
foreach (i; 0 .. agentNum) {
tmpAgentPos[i][0] = myAgentData[i][1] + dx[dir[i]];
tmpAgentPos[i][1] = myAgentData[i][2] + dy[dir[i]];
if (tmpAgentPos[i][0] < 0 || width <= tmpAgentPos[i][0]) {
tmpAgentPos[i][0] = myAgentData[i][1];
tmpAgentPos[i][1] = myAgentData[i][2];
} else if (tmpAgentPos[i][1] < 0 || height <= tmpAgentPos[i][1]) {
tmpAgentPos[i][0] = myAgentData[i][1];
tmpAgentPos[i][1] = myAgentData[i][2];
}
if (color[tmpAgentPos[i][1]][tmpAgentPos[i][0]] == rivalTeamID)
tmpAgentPos ~= [myAgentData[i][1], myAgentData[i][2]];
}
checkDuplicate(true, tmpAgentPos);
checkDuplicate(true, tmpAgentPos);
foreach (i; 0 .. agentNum) {
if (tmpAgentPos[i][1] == myAgentData[i][2] && tmpAgentPos[i][0] == myAgentData[i][1]) {
moveType[i] = "stay";
} else if (color[tmpAgentPos[i][1]][tmpAgentPos[i][0]] == rivalTeamID) {
moveType[i] = "remove";
} else {
moveType[i] = "move";
}
}
foreach (i; 0 .. agentNum) {
if (color[tmpAgentPos[i][1]][tmpAgentPos[i][0]] == rivalTeamID) {
color[tmpAgentPos[i][1]][tmpAgentPos[i][0]] = 0;
} else {
myAgentData[i][1] = tmpAgentPos[i][0];
myAgentData[i][2] = tmpAgentPos[i][1];
color[myAgentData[i][2]][myAgentData[i][1]] = myTeamID;
}
}
} else {
int[][] tmpAgentPos = new int[][](agentNum, 2);
foreach (i; 0 .. agentNum) {
tmpAgentPos[i][0] = rivalAgentData[i][1] + dx[dir[i]];
tmpAgentPos[i][1] = rivalAgentData[i][2] + dy[dir[i]];
if (tmpAgentPos[i][0] < 0 || width <= tmpAgentPos[i][0]) {
tmpAgentPos[i][0] = myAgentData[i][1];
tmpAgentPos[i][1] = myAgentData[i][2];
} else if (tmpAgentPos[i][1] < 0 || height <= tmpAgentPos[i][1]) {
tmpAgentPos[i][0] = myAgentData[i][1];
tmpAgentPos[i][1] = myAgentData[i][2];
}
if (color[tmpAgentPos[i][1]][tmpAgentPos[i][0]] == myTeamID)
tmpAgentPos ~= [rivalAgentData[i][1], rivalAgentData[i][2]];
}
checkDuplicate(false, tmpAgentPos);
checkDuplicate(false, tmpAgentPos);
foreach (i; 0 .. agentNum) {
if (color[tmpAgentPos[i][1]][tmpAgentPos[i][0]] == myTeamID) {
color[tmpAgentPos[i][1]][tmpAgentPos[i][0]] = 0;
} else {
rivalAgentData[i][1] = tmpAgentPos[i][0];
rivalAgentData[i][2] = tmpAgentPos[i][1];
color[rivalAgentData[i][2]][rivalAgentData[i][1]] = rivalTeamID;
}
}
}
}
// 移動先の重複確認
// 重複があった場合は元の場所に戻す
void checkDuplicate(bool whichTeam, ref int[][] tmpAgentPos) {
if (whichTeam) {
foreach (i; 0 .. agentNum) {
foreach (j; 0 .. tmpAgentPos.length) {
if (i != j && tmpAgentPos[i] == tmpAgentPos[j]) {
tmpAgentPos[i][0] = myAgentData[i][1];
tmpAgentPos[i][1] = myAgentData[i][2];
if (j < agentNum) {
tmpAgentPos[j][0] = myAgentData[j][1];
tmpAgentPos[j][1] = myAgentData[j][2];
}
}
}
}
} else {
foreach (i; 0 .. agentNum) {
foreach (j; 0 .. tmpAgentPos.length) {
if ((i != j) && (tmpAgentPos[i] == tmpAgentPos[j])) {
tmpAgentPos[i][0] = rivalAgentData[i][1];
tmpAgentPos[i][1] = rivalAgentData[i][2];
if (j < agentNum) {
tmpAgentPos[j][0] = rivalAgentData[j][1];
tmpAgentPos[j][1] = rivalAgentData[j][2];
}
}
}
}
}
}
// }}}
// ポイント関係 --- {{{
// タイルポイント計算 {{{
void calcTilePoint()
{
myTilePoint = 0;
rivalTilePoint = 0;
foreach (i; 0 .. height) {
foreach (j; 0 .. width) {
if (color[i][j] == myTeamID) {
myTilePoint += point[i][j];
}
if (color[i][j] == rivalTeamID) {
rivalTilePoint += point[i][j];
}
}
}
}
// }}}
// 領域ポイント計算 {{{
void calcMyAreaPoint()
{
int areaPoint;
int teamID = myTeamID;
myAreaPointFlg = new bool[][](height, width);
foreach (i; 0 .. height) {
foreach (j; 0 .. width) {
myAreaPointFlg[i][j] = false;
}
}
foreach (i; 1 .. height - 1) {
bool startArea = false;
int startPos;
foreach (j; 1 .. width - 1) {
int myTile = 0;
for (int k = 1; k < 9; k += 2) {
if ((color[i + dy[k]][j + dx[k]] == teamID || myAreaPointFlg[i + dy[k]][j + dx[k]]))
myTile += color[i][j] != teamID ? 1 : 0;
}
if (myTile > 1) {
myAreaPointFlg[i][j] = true;
if (!startArea) {
startArea = true;
startPos = to!int(j);
}
}
if (color[i][j] == teamID && startArea) {
startArea = false;
startPos = to!int(j + 1);
}
if (myTile < 2 && startArea) {
myAreaPointFlg[i][startPos .. j + 1] = false;
startArea = false;
}
}
}
foreach_reverse (i; 1 .. height - 1) {
foreach_reverse (j; 1 .. width - 1) {
int myTile = 0;
for (int k = 1; k < 9; k += 2) {
if ((color[i + dy[k]][j + dx[k]] == teamID || myAreaPointFlg[i + dy[k]][j + dx[k]]))
myTile += color[i][j] != teamID ? 1 : 0;
}
if (myTile < 4)
myAreaPointFlg[i][j] = false;
}
}
foreach (i; 0 .. height) {
foreach (j; 0 .. width) {
if (myAreaPointFlg[i][j])
areaPoint += abs(point[i][j]);
}
}
myAreaPoint = areaPoint;
}
void calcRivalAreaPoint()
{
int areaPoint;
int teamID = rivalTeamID;
rivalAreaPointFlg = new bool[][](height, width);
foreach (i; 0 .. height) {
foreach (j; 0 .. width) {
rivalAreaPointFlg[i][j] = false;
}
}
foreach (i; 1 .. height - 1) {
bool startArea = false;
int startPos;
foreach (j; 1 .. width - 1) {
int myTile = 0;
for (int k = 1; k < 9; k += 2) {
if ((color[i + dy[k]][j + dx[k]] == teamID || rivalAreaPointFlg[i + dy[k]][j + dx[k]]))
myTile += color[i][j] != teamID ? 1 : 0;
}
if (myTile > 1) {
rivalAreaPointFlg[i][j] = true;
if (!startArea) {
startArea = true;
startPos = to!int(j);
}
}
if (color[i][j] == teamID && startArea) {
startArea = false;
startPos = to!int(j + 1);
}
if (myTile < 2 && startArea) {
rivalAreaPointFlg[i][startPos .. j + 1] = false;
startArea = false;
}
}
}
foreach_reverse (i; 1 .. height - 1) {
foreach_reverse (j; 1 .. width - 1) {
int myTile = 0;
for (int k = 1; k < 9; k += 2) {
if ((color[i + dy[k]][j + dx[k]] == teamID || rivalAreaPointFlg[i + dy[k]][j + dx[k]]))
myTile += color[i][j] != teamID ? 1 : 0;
}
if (myTile < 4)
rivalAreaPointFlg[i][j] = false;
}
}
foreach (i; 0 .. height) {
foreach (j; 0 .. width) {
if (rivalAreaPointFlg[i][j])
areaPoint += abs(point[i][j]);
}
}
rivalAreaPoint = areaPoint;
}
// }}}
//}}}
}
| D |
module dithermark_video.image;
import std.conv;
import std.string;
import std.stdio;
import std.uni : isWhite;
struct Image{
int width;
int height;
ubyte[] data;
}
Image imageFromPpmHeader(string[] header)
in{
assert(header.length == 3);
assert(header[0] == "P6");
assert(header[2] == "255");
}
do{
Image image;
string[] dimensions = header[1].chomp().split!isWhite;
image.width = to!int(dimensions[0]);
image.height = to!int(dimensions[1]);
return image;
} | D |
module nxt.static_modarray;
version = useModulo;
/** Statically allocated `Mod`-array of fixed pre-allocated length `capacity` of
* `Mod`-elements in chunks of `elementLength`. `ElementType` is
* `Mod[elementLength]`.
*/
struct StaticModArray(uint capacity,
uint elementLength,
uint span,
bool useModuloFlag)
if (capacity*elementLength >= 2) // no use storing less than 2 bytes
{
private enum radix = 2^^span;
/// Index modulo `radix` type.
static if (useModuloFlag)
{
import nxt.modulo : Mod;
alias Ix = Mod!(radix, ubyte);
}
else
{
alias Ix = ubyte;
}
enum L = elementLength;
/// ElementType type `T`.
static if (L == 1)
{
alias T = Ix;
}
else
{
alias T = Ix[L];
}
/** Construct with `rhsCapacity`. */
this(uint rhsCapacity)(in StaticModArray!(rhsCapacity,
elementLength,
span, useModuloFlag) rhs)
{
static if (capacity < rhsCapacity)
{
assert(rhs.length <= capacity);
}
foreach (immutable i, const ix; rhs)
{
_store[i] = ix;
}
_length = rhs.length;
}
/** Construct with elements `es`. */
this(Es...)(Es es)
if (Es.length >= 1 &&
Es.length <= capacity)
{
foreach (immutable i, ix; es)
{
_store[i] = ix;
}
_length = es.length;
}
static if (L == 1)
{
/** Construct with elements in `es`. */
this(const Ix[] es)
{
assert(es.length <= capacity);
_store[0 .. es.length] = es;
_length = es.length;
}
}
/** Default key separator in printing. */
enum keySeparator = ',';
@property auto toString(char separator = keySeparator) const
{
string s;
foreach (immutable i, const ix; chunks)
{
if (i != 0) { s ~= separator; }
import std.string : format;
static if (elementLength == 1)
{
s ~= format("%.2X", ix); // in hexadecimal
}
else
{
foreach (const j, const subIx; ix[])
{
if (j != 0) { s ~= '_'; } // separator
s ~= format("%.2X", subIx); // in hexadecimal
}
}
}
return s;
}
@safe pure nothrow @nogc:
/** Get first element. */
auto front() inout
{
pragma(inline, true);
assert(!empty);
return _store[0];
}
/** Get last element. */
auto back() inout
{
pragma(inline, true);
assert(!empty);
return _store[_length - 1];
}
/** Returns: `true` if `this` is empty, `false` otherwise. */
bool empty() const
{
pragma(inline, true);
return _length == 0;
}
/** Returns: `true` if `this` is full, `false` otherwise. */
bool full() const
{
pragma(inline, true);
return _length == capacity;
}
/** Pop first (front) element. */
auto ref popFront()
{
assert(!empty);
// TODO: is there a reusable Phobos function for this?
foreach (immutable i; 0 .. _length - 1)
{
_store[i] = _store[i + 1]; // like `_store[i] = _store[i + 1];` but more generic
}
_length = _length - 1;
return this;
}
/** Pop `n` front elements. */
auto ref popFrontN(size_t n)
{
assert(length >= n);
// TODO: is there a reusable Phobos function for this?
foreach (immutable i; 0 .. _length - n)
{
_store[i] = _store[i + n];
}
_length = _length - n;
return this;
}
/** Pop last (back) element. */
auto ref popBack()
{
version(LDC) pragma(inline, true);
assert(!empty);
_length = cast(typeof(_length))(_length - 1); // TODO: better?
return this;
}
/** Push/Add elements `es` at back.
NOTE Doesn't invalidate any borrow.
*/
auto ref pushBack(Es...)(Es es)
if (Es.length <= capacity)
{
assert(length + Es.length <= capacity);
foreach (immutable i, const e; es)
{
_store[_length + i] = e;
}
_length = _length + Es.length;
return this;
}
/** Returns: `true` if `key` is contained in `this`. */
bool contains(in Ix[] key) const @nogc
{
pragma(inline, true);
// TODO: use binarySearch instead of canFind
import std.algorithm.searching : canFind;
if (key.length != L) { return false; }
return (chunks.canFind(key));
}
static if (L == 1)
{
import std.traits : isUnsigned;
/** Returns: `true` if `ix` is contained in `this`. */
static if (useModuloFlag)
{
bool contains(ModUInt)(in Mod!(radix, ModUInt) ix) const @nogc
if (isUnsigned!ModUInt)
{
pragma(inline, true);
// TODO: use binarySearch instead of canFind
import std.algorithm.searching : canFind;
return (chunks.canFind(ix));
}
}
else
{
bool contains(UInt)(in UInt ix) const @nogc
if (isUnsigned!UInt)
{
pragma(inline, true);
// TODO: use binarySearch instead of canFind
import std.algorithm.searching : canFind;
return (chunks.canFind(cast(T)ix));
}
}
}
/** Returns: elements as a slice. */
auto chunks() inout
{
pragma(inline, true);
return _store[0 .. _length];
}
alias chunks this;
/** Variant of `opIndex` with compile-time range checking. */
auto ref at(uint ix)() inout @trusted
if (ix < capacity) // assert below memory allocation bound
{
pragma(inline, true);
assert(ix < _length); // assert accessing initialized elements
return _store.ptr[ix]; // uses `.ptr` because `ix` known at compile-time to be within bounds; `ix < capacity`
}
/** Get length. */
auto length() const
{
pragma(inline, true);
return _length;
}
/** Get remaining space available.
Name taken from the same member of https://docs.rs/fixedvec/0.2.3/fixedvec/
*/
auto available() const
{
pragma(inline, true);
return capacity - _length;
}
enum typeBits = 4; // number of bits in enclosing type used for representing type
private:
static if (L == 1)
{
T[capacity] _store = void; // byte indexes
}
else
{
T[capacity] _store = void; // byte indexes
}
static if (_store.sizeof == 6)
{
ubyte _padding;
}
import std.bitmanip : bitfields;
mixin(bitfields!(size_t, "_length", 4, // maximum length of 15
ubyte, "_mustBeIgnored", typeBits)); // must be here and ignored because it contains `WordVariant` type of `Node`
}
static assert(StaticModArray!(3, 1, 8, false).sizeof == 4);
static assert(StaticModArray!(7, 1, 8, false).sizeof == 8);
static assert(StaticModArray!(3, 2, 8, false).sizeof == 8);
static assert(StaticModArray!(2, 3, 8, false).sizeof == 8);
///
@safe pure nothrow @nogc unittest
{
import std.algorithm : equal;
version(useModulo)
{
enum span = 8;
enum radix = 2^^span;
import nxt.modulo : Mod, mod;
alias Ix = Mod!(radix, ubyte);
static Mod!radix mk(ubyte value)
{
return mod!radix(value);
}
}
else
{
alias Ix = ubyte;
static ubyte mk(ubyte value)
{
return value;
}
}
const ixs = [mk(11), mk(22), mk(33), mk(44)].s;
enum capacity = 7;
auto x = StaticModArray!(capacity, 1, 8, true)(ixs);
auto y = StaticModArray!(capacity, 1, 8, true)(mk(11), mk(22), mk(33), mk(44));
assert(x == y);
assert(x.length == 4);
assert(x.available == 3);
assert(!x.empty);
assert(!x.contains([mk(10)].s));
assert(x.contains([mk(11)].s));
assert(x.contains([mk(22)].s));
assert(x.contains([mk(33)].s));
assert(x.contains([mk(44)].s));
assert(!x.contains([mk(45)].s));
assert(!x.contains(mk(10)));
assert(x.contains(mk(11)));
assert(x.contains(mk(22)));
assert(x.contains(mk(33)));
assert(x.contains(mk(44)));
assert(!x.contains(mk(45)));
assert(x.equal([11, 22, 33, 44].s[]));
assert(x.front == 11);
assert(x.back == 44);
assert(!x.full);
x.popFront();
assert(x.equal([22, 33, 44].s[]));
assert(x.front == 22);
assert(x.back == 44);
assert(!x.full);
x.popBack();
assert(x.equal([22, 33].s[]));
assert(x.front == 22);
assert(x.back == 33);
assert(!x.full);
x.popFront();
assert(x.equal([33].s[]));
assert(x.front == 33);
assert(x.back == 33);
assert(!x.full);
x.popFront();
assert(x.empty);
assert(!x.full);
assert(x.length == 0);
x.pushBack(mk(11), mk(22), mk(33), mk(44), mk(55), mk(66), mk(77));
assert(x.equal([11, 22, 33, 44, 55, 66, 77].s[]));
assert(!x.empty);
assert(x.full);
x.popFrontN(3);
assert(x.equal([44, 55, 66, 77].s[]));
x.popFrontN(2);
assert(x.equal([66, 77].s[]));
x.popFrontN(1);
assert(x.equal([77].s[]));
x.popFrontN(1);
assert(x.empty);
x.pushBack(mk(1)).pushBack(mk(2)).equal([1, 2].s[]);
assert(x.equal([1, 2].s[]));
assert(x.length == 2);
}
@safe pure nothrow unittest
{
import std.algorithm : equal;
version(useModulo)
{
enum span = 8;
enum radix = 2^^span;
import nxt.modulo : Mod, mod;
alias Ix = Mod!(radix, ubyte);
static Mod!radix mk(ubyte value)
{
return mod!radix(value);
}
}
else
{
alias Ix = ubyte;
static ubyte mk(ubyte value)
{
return value;
}
}
const ixs = [mk(11), mk(22), mk(33), mk(44)].s;
enum capacity = 7;
auto z = StaticModArray!(capacity, 1, 8, true)(ixs);
assert(z.sizeof == 8);
try
{
assert(z.toString == `0B,16,21,2C`);
}
catch (Exception e) {}
}
version(unittest)
{
import nxt.array_help : s;
}
| D |
/Users/cansoykarafakili/Desktop/Hello/build/Intermediates/Hello.build/Debug/Bits.build/Objects-normal/x86_64/Bytes+Base64.o : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Bytes+Base64.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+Convenience.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Data+BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/String+BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/UnsignedInteger+BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+PatternMatching.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/UnsignedInteger+Shifting.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+Random.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Base64Encoder.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/HexEncoder.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Aliases.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/ByteSequence+Conversions.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+UTF8Numbers.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+ControlCharacters.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Operators.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+Alphabet.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Bytes+Percent.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Bytes+Hex.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/cansoykarafakili/Desktop/Hello/build/Intermediates/Hello.build/Debug/Bits.build/Objects-normal/x86_64/Bytes+Base64~partial.swiftmodule : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Bytes+Base64.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+Convenience.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Data+BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/String+BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/UnsignedInteger+BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+PatternMatching.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/UnsignedInteger+Shifting.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+Random.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Base64Encoder.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/HexEncoder.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Aliases.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/ByteSequence+Conversions.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+UTF8Numbers.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+ControlCharacters.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Operators.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+Alphabet.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Bytes+Percent.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Bytes+Hex.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/cansoykarafakili/Desktop/Hello/build/Intermediates/Hello.build/Debug/Bits.build/Objects-normal/x86_64/Bytes+Base64~partial.swiftdoc : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Bytes+Base64.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+Convenience.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Data+BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/String+BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/UnsignedInteger+BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/BytesConvertible.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+PatternMatching.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/UnsignedInteger+Shifting.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+Random.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Base64Encoder.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/HexEncoder.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Aliases.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/ByteSequence+Conversions.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+UTF8Numbers.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+ControlCharacters.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Operators.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Byte+Alphabet.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Bytes+Percent.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/bits.git-9196587591774126515/Sources/Bits/Bytes+Hex.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
| D |
var int game_mode;
/*Funktsii nizhe, prednaznacheny dlya otslezhivaniya odevaniya/snimaniya(ekipirovki)
predmetov, dlya vsekh nps v tekushchem mire, tak zhe v etoy chasti skripta deystvuyut global'nyye instantsii item,self
item - odevayemyy predmet
self - nps, kotoryy odevayet predmet
*/
//****************************************
//Pri ekipirovke
func void OnEquipItems()
{
};
//****************************************
//Pri snyatii
func void OnUnEquipItems()
{
};
/*
Funktsiya "zakhvata" teksta dialogov, vyzyvayetsya v moment nachala kazhdoy repliki v dialoge (gg/nps - znayechniya ne imeyet)
replika zapisyvayetsya v peremennuyu - DIA_CurrentReply .
Global'nyye peremennyye other,self imeyut te zhe znacheniya, chto i v samom dialoge
self - nps
other - GG
info:
Dlya vklyucheniya etoy funktsii, neobkhodimo ukazat' znacheniye konstanty bEnableMsgCallback = 1
*/
//
var string DIA_CurrentReply;
//
func void MsgCallback()
{
AI_Print(DIA_CurrentReply);
};
func void HandleEvent(var int uKey)
{
var C_NPC pNpc;
var int tmpMorph;
var int tmpMana;
var int tmpHp;
var int ranbers;
var C_Item weapon;
var int DayNow;
var int tempPickPocket;
var C_Item CurHelm;
var int bChestLvl;
var int bChestStrenghNeed;
var int bChestLockNeed;
var string concatText;
var C_Npc DetWsp;
var C_Npc DetWspr;
weapon = Npc_GetEquippedRangedWeapon(hero);
pNpc = GetFocusNpc(hero);
if((Npc_GetTalentSkill(hero,NPC_TALENT_PICKPOCKET) >= 1) && (uKey == KEY_B))
{
if(PickPocketBonusCount >= 90)
{
Npc_SetTalentSkill(hero,NPC_TALENT_PICKPOCKET,4);
}
else if(PickPocketBonusCount >= 60)
{
Npc_SetTalentSkill(hero,NPC_TALENT_PICKPOCKET,3);
}
else if(PickPocketBonusCount >= 30)
{
Npc_SetTalentSkill(hero,NPC_TALENT_PICKPOCKET,2);
}
else if(PickPocketBonusCount > 0)
{
Npc_SetTalentSkill(hero,NPC_TALENT_PICKPOCKET,1);
};
if((Npc_GetTalentSkill(hero,NPC_TALENT_PICKPOCKET) >= 1) && (PickPocketBonusCount < 100) && (PickPocketBonusCount > 0))
{
Npc_SetTalentValue(hero,NPC_TALENT_PICKPOCKET,PickPocketBonusCount);
}
else if(Npc_GetTalentSkill(hero,NPC_TALENT_PICKPOCKET) == 0)
{
//PickPocketBonusCount = FALSE;
//Npc_SetTalentValue(hero,NPC_TALENT_PICKPOCKET,0);
};
}
else if(Npc_GetTalentSkill(hero,NPC_TALENT_PICKPOCKET) == 0)
{
//PickPocketBonusCount = FALSE;
//Npc_SetTalentValue(hero,NPC_TALENT_PICKPOCKET,0);
};
if((Mount_Up == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (FlyCarpetIsOn == FALSE) && (PlayerSitDust == TRUE) && (hero.guild <= GIL_SEPERATOR_HUM) && ((uKey == KEY_UPARROW) || (uKey == KEY_LEFTARROW) || (uKey == KEY_RIGHTARROW) || (uKey == KEY_DOWNARROW) || (uKey == KEY_D) || (uKey == KEY_S) || (uKey == KEY_A) || (uKey == KEY_W) || (uKey == MOUSE_BUTTONLEFT)))
{
AI_PlayAniBS(hero,"T_SIT_2_STAND",BS_STAND);
PlayerSitDust = FALSE;
WhistleCount = FALSE;
bHeroRestStatus = FALSE;
PauseCount = FALSE;
};
if((uKey == KEY_RCONTROL) && (Steal_Mode == FALSE) && (FlyCarpetIsOn == TRUE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
Ext_RemoveFromSlot(hero,"BIP01");
Npc_RemoveInvItems(hero,ItSe_FlyCarpet,Npc_HasItems(hero,ItSe_FlyCarpet));
AI_Dodge(hero);
Mdl_RemoveOverlayMds(hero,"fliegender_drache.mds");
FlyCarpetIsOn = FALSE;
CheckDismount = TRUE;
};
if((uKey == KEY_LCONTROL) && (Steal_Mode == FALSE) && (FlyCarpetIsOn == TRUE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
Ext_RemoveFromSlot(hero,"BIP01");
Npc_RemoveInvItems(hero,ItSe_FlyCarpet,Npc_HasItems(hero,ItSe_FlyCarpet));
AI_Dodge(hero);
Mdl_RemoveOverlayMds(hero,"fliegender_drache.mds");
FlyCarpetIsOn = FALSE;
CheckDismount = TRUE;
};
if((uKey == KEY_SPACE) && (Steal_Mode == FALSE) && (FlyCarpetIsOn == TRUE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
Ext_RemoveFromSlot(hero,"BIP01");
Npc_RemoveInvItems(hero,ItSe_FlyCarpet,Npc_HasItems(hero,ItSe_FlyCarpet));
AI_Dodge(hero);
Mdl_RemoveOverlayMds(hero,"fliegender_drache.mds");
FlyCarpetIsOn = FALSE;
CheckDismount = TRUE;
};
//------------------------Pereklyucheniye akrobatiki-----------------------------------------------BS_FALL
if(KeyPressed(KEY_T) && (Npc_IsInFightMode(hero,FMODE_NONE) == TRUE) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (LowHealth == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (Npc_GetTalentSkill(hero,NPC_TALENT_ACROBAT) == TRUE) && (OptionCheck == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (CaptureCheat == TRUE) && (HeroIsDead == FALSE))
{
if(AcrobatTurnOFF == FALSE)
{
Mdl_RemoveOverlayMds(hero,"Humans_Acrobatic.MDS");
AcrobatTurnOFF = TRUE;
}
else
{
Mdl_ApplyOverlayMds(hero,"Humans_Acrobatic.MDS");
AcrobatTurnOFF = FALSE;
};
};
if(KeyPressed(KEY_Y) && !KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (CaptureCheat == TRUE) && (HeroIsDead == FALSE))
{
bChestLvl = Mob_GetBreakNum();
bChestStrenghNeed = bChestLvl * 15;
if(Npc_HasEquippedMeleeWeapon(hero) == TRUE)
{
if(hero.attribute[ATR_STRENGTH] >= bChestStrenghNeed)
{
Mob_SetBrakeChest();
if(BreakChest == TRUE)
{
AI_ReadyMeleeWeapon(hero);
if(EquipedIndex_1H == TRUE)
{
AI_PlayAni(hero,"T_1HSBRKCHST");
}
else
{
AI_PlayAni(hero,"T_2HSBRKCHST");
};
AI_WaitMs(hero,10);
AI_RemoveWeapon(hero);
if(ATR_STAMINA[0] > 25)
{
ATR_STAMINA[0] -= 25;
}
else
{
ATR_STAMINA[0] = 0;
};
AI_PrintClr("Truhlice otevřena!",83,152,48);
BreakChest = FALSE;
if(hero.attribute[ATR_DEXTERITY] < Hlp_Random(100))
{
Npc_SendPassivePerc(hero,PERC_ASSESSQUIETSOUND,hero,hero);
};
};
}
else
{
AI_PlayAni(self,"T_DONTKNOW");
B_Say(hero,hero,"$TOOHEAVYFORME");
concatText = ConcatStrings("Pro vypáčení chybí ",IntToString(bChestStrenghNeed - hero.attribute[ATR_STRENGTH]));
concatText = ConcatStrings(concatText," bodů síly...");
AI_Print(concatText);
};
}
else
{
AI_PlayAni(self,"T_DONTKNOW");
AI_Print(PRINT_MissingWeap);
B_Say_Overlay(hero,hero,"$MISSINGITEM");
};
};
if(KeyPressed(KEY_Y) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (CaptureCheat == TRUE) && (HeroIsDead == FALSE))
{
if(Npc_GetTalentSkill(hero,NPC_TALENT_PICKLOCK) > 0)
{
if(hero.attribute[ATR_DEXTERITY] >= 100)
{
bChestLvl = Mob_GetBreakNum();
if(bChestLvl < 4)
{
bChestLockNeed = 1;
}
else
{
bChestLockNeed = (bChestLvl / 2) - (hero.attribute[ATR_DEXTERITY] / 100);
if(bChestLockNeed < 1)
{
bChestLockNeed = 1;
};
};
if(Npc_HasItems(hero,ItKE_lockpick) >= bChestLockNeed)
{
Mob_SetBrakeChest();
if(BreakChest == TRUE)
{
AI_PlayAni(hero,"T_PLUNDER");
Snd_Play("PICKLOCK_SUCCESS");
AI_PrintClr("Truhlice otevřena!",83,152,48);
BreakChest = FALSE;
Npc_RemoveInvItems(hero,ItKE_lockpick,bChestLockNeed);
concatText = ConcatStrings("Použil jsi ",IntToString(bChestLockNeed));
if(bChestLockNeed >= 5)
{
concatText = ConcatStrings(concatText," paklíčů...");
}
else if(bChestLockNeed > 1)
{
concatText = ConcatStrings(concatText," paklíče...");
}
else
{
concatText = ConcatStrings(concatText," paklíč...");
};
AI_Print(concatText);
};
}
else
{
AI_PlayAni(self,"T_DONTKNOW");
B_Say_Overlay(self,self,"$PICKLOCKMISSING");
concatText = ConcatStrings("Pro vypáčení potřebuješ ",IntToString(bChestLockNeed));
if(bChestLockNeed >= 5)
{
concatText = ConcatStrings(concatText," paklíčů...");
}
else if(bChestLockNeed > 1)
{
concatText = ConcatStrings(concatText," paklíče...");
}
else
{
concatText = ConcatStrings(concatText," paklíč...");
};
AI_Print(concatText);
};
}
else
{
AI_PlayAni(self,"T_DONTKNOW");
B_Say(hero,hero,"$TOOHEAVYFORME");
concatText = ConcatStrings("Pro vypáčení chybí ",IntToString(100 - hero.attribute[ATR_DEXTERITY]));
concatText = ConcatStrings(concatText," bodů obratnosti...");
AI_Print(concatText);
};
}
else
{
AI_PlayAni(self,"T_DONTKNOW");
B_Say_Overlay(self,self,"$NOPICKLOCKTALENT");
AI_Print(PRINT_NoPicklockTalent);
};
};
//------------------------glavnyye knopki-----------------------------------------------------
if(KeyPressed(KEY_GRAVE) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (bSprintTime == FALSE) && (HeroIsDead == FALSE) && (FlyCarpetIsOn == FALSE) && (ShakoIsOn[0] == FALSE) && (HeroDrunk == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (PlayerSitDust == FALSE) && (Mount_Up == FALSE) && (hero.guild <= GIL_SEPERATOR_HUM) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
B_Hotkey_Sprint();
}
if(KeyPressed(KEY_NUMPAD1) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && !KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (FlyCarpetIsOn == FALSE) && (PlayerSitDust == FALSE) && (hero.guild <= GIL_SEPERATOR_HUM) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
B_Hotkey_Health_Potion();
};
if(KeyPressed(KEY_NUMPAD2) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && !KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (FlyCarpetIsOn == FALSE) && (PlayerSitDust == FALSE) && (hero.guild <= GIL_SEPERATOR_HUM) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
B_Hotkey_Mana_Potion();
};
if(KeyPressed(KEY_NUMPAD3) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && !KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (FlyCarpetIsOn == FALSE) && (PlayerSitDust == FALSE) && (hero.guild <= GIL_SEPERATOR_HUM) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
B_Hotkey_Stamina_Potion();
};
if(KeyPressed(KEY_NUMPAD4) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && !KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (FlyCarpetIsOn == FALSE) && (PlayerSitDust == FALSE) && (hero.guild <= GIL_SEPERATOR_HUM) && (LowHealth == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
B_Hotkey_Speed_Potion();
};
if(KeyPressed(KEY_NUMPAD5) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && !KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (FlyCarpetIsOn == FALSE) && (PlayerSitDust == FALSE) && (hero.guild <= GIL_SEPERATOR_HUM) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
B_Hotkey_UnPoison_Potion();
};
if(KeyPressed(KEY_NUMPAD6) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && !KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (PlayerSitDust == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (LowHealth == FALSE) && (HeroIsDead == FALSE) && (Npc_IsInFightMode(hero,FMODE_NONE) == TRUE))
{
if(TorchIsOn == TRUE)
{
Mdl_RemoveOverlayMds(hero,"HUMANS_NEWTORCH.MDS");
Ext_RemoveFromSlot(hero,"BIP01 L HAND");
Npc_RemoveInvItems(hero,ItLsFireTorch,Npc_HasItems(hero,ItLsFireTorch));
TorchIsOn = FALSE;
}
else
{
if(Npc_HasItems(hero,ItLsTorch) >= 1)
{
Npc_RemoveInvItems(hero,ItLsTorch,1);
Mdl_ApplyOverlayMds(hero,"HUMANS_NEWTORCH.MDS");
ActivateZSSlot(hero,"BIP01 L HAND");
Ext_RemoveFromSlot(hero,"BIP01 L HAND");
Ext_PutInSlot(hero,"BIP01 L HAND",ItLsFireTorch);
Npc_RemoveInvItems(hero,ItLsFireTorch,Npc_HasItems(hero,ItLsFireTorch));
TorchIsOn = TRUE;
}
else
{
AI_Print("Nemáš žádnou pochodeň...");
B_Say(hero,hero,"$MISSINGITEM");
};
};
};
if(KeyPressed(KEY_NUMPAD7) && !KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (CaptureCheat == TRUE) && (HeroIsDead == FALSE))
{
if(OgonekIsUp == TRUE)
{
DetWspr = Hlp_GetNpc(Wisp_Detector);
if(Npc_IsDead(DetWspr) == FALSE)
{
Snd_Play("WSP_Dead_A1");
};
AI_Teleport(DetWspr,"TOT");
B_RemoveNpc(DetWspr);
AI_Teleport(DetWspr,"TOT");
OgonekIsUp = FALSE;
}
else
{
if(Npc_HasItems(hero,ItAm_Addon_WispDetector) >= 1)
{
if(Equip_WispDetector_OneTime == FALSE)
{
player_talent_wispdetector[WISPSKILL_NF] = TRUE;
Equip_WispDetector_OneTime = TRUE;
};
DetWsp = Hlp_GetNpc(Wisp_Detector);
AI_Teleport(DetWsp,"TOT");
Wld_SpawnNpcRange(hero,Wisp_Detector,1,500);
Wld_PlayEffect("spellFX_LIGHTSTAR_WHITE",Wisp_Detector,Wisp_Detector,0,0,0,FALSE);
Snd_Play("MFX_Transform_Cast");
OgonekIsUp = TRUE;
}
else
{
AI_Print("Nemáš amulet pátrací bludičky...");
B_Say(hero,hero,"$MISSINGITEM");
};
};
};
if(KeyPressed(KEY_NUMPAD8) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && !KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (PlayerSitDust == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (LowHealth == FALSE) && (HeroIsDead == FALSE) && (Npc_IsInFightMode(hero,FMODE_NONE) == TRUE))
{
if(CandleIsOn == TRUE)
{
Ext_RemoveFromSlot(hero,"BIP01 L THIGH");
CandleIsOn = FALSE;
}
else
{
if(Npc_HasItems(hero,ItLs_BeltCandle) >= 1)
{
ActivateZSSlot(hero,"BIP01 L THIGH");
Ext_RemoveFromSlot(hero,"BIP01 L THIGH");
Ext_PutInSlot(hero,"BIP01 L THIGH",ItUt_FireBeltCandle);
Npc_RemoveInvItems(hero,ItUt_FireBeltCandle,Npc_HasItems(hero,ItUt_FireBeltCandle));
CandleIsOn = TRUE;
}
else
{
AI_Print("Nemáš žádnou lucernu...");
B_Say(hero,hero,"$MISSINGITEM");
};
};
};
if(KeyPressed(KEY_NUMPAD9) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && !KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (PlayerSitDust == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (LowHealth == FALSE) && (HeroIsDead == FALSE) && (Npc_IsInFightMode(hero,FMODE_NONE) == TRUE))
{
if(Npc_HasItems(hero,ItMi_ZharpStone) >= 1)
{
Use_ItMi_SharpStone();
}
else
{
AI_Print("Nemáš žádný brusný kámen...");
B_Say(hero,hero,"$MISSINGITEM");
};
};
if(KeyPressed(KEY_NUMPAD1) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (Npc_HasEquippedRangedWeapon(hero) == TRUE) && (Hlp_IsItem(weapon,ITRW_SHADOWBOW) != TRUE) && ((weapon.flags & ITEM_BOW) == ITEM_BOW))
{
if(Use_Arrow == FALSE)
{
if(Npc_HasItems(hero,ItRw_Arrow) >= 1)
{
weapon.munition = ItRw_Arrow;
Use_Arrow = TRUE;
Use_PoisonArrow = FALSE;
Use_HolyArrow = FALSE;
Use_FireArrow = FALSE;
Use_MagicArrow = FALSE;
AI_Print("Používáš obyčejné šípy...");
}
else
{
AI_Print("Nemáš žádné šípy tohoto druhu!");
};
}
else
{
AI_Print("Už používáš tenhle druh šípů!");
};
};
if(KeyPressed(KEY_NUMPAD1) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (Npc_HasEquippedRangedWeapon(hero) == TRUE) && (Hlp_IsItem(weapon,ITRW_ADDON_MAGICCROSSBOW_SHV) != TRUE) && ((weapon.flags & ITEM_CROSSBOW) == ITEM_CROSSBOW))
{
if(Use_Bolt == FALSE)
{
if(Npc_HasItems(hero,ItRw_Bolt) >= 1)
{
weapon.munition = ItRw_Bolt;
Use_Bolt = TRUE;
Use_MagicBolt = FALSE;
Use_HolyBolt = FALSE;
AI_Print("Používáš obyčejné šipky...");
}
else
{
AI_Print("Nemáš žádné šipky tohoto druhu!");
};
}
else
{
AI_Print("Už používáš tenhle druh šipek!");
};
};
if(KeyPressed(KEY_NUMPAD2) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (Npc_HasEquippedRangedWeapon(hero) == TRUE) && (Hlp_IsItem(weapon,ITRW_SHADOWBOW) != TRUE) && ((weapon.flags & ITEM_BOW) == ITEM_BOW))
{
if(Use_MagicArrow == FALSE)
{
if(Npc_HasItems(hero,ItRw_Addon_MagicArrow) >= 1)
{
weapon.munition = ItRw_Addon_MagicArrow;
Use_Arrow = FALSE;
Use_PoisonArrow = FALSE;
Use_HolyArrow = FALSE;
Use_FireArrow = FALSE;
Use_MagicArrow = TRUE;
AI_Print("Používáš magické šípy...");
}
else
{
AI_Print("Nemáš žádné šípy tohoto druhu!");
};
}
else
{
AI_Print("Už používáš tenhle druh šípů!");
};
};
if(KeyPressed(KEY_NUMPAD2) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (Npc_HasEquippedRangedWeapon(hero) == TRUE) && (Hlp_IsItem(weapon,ITRW_ADDON_MAGICCROSSBOW_SHV) != TRUE) && ((weapon.flags & ITEM_CROSSBOW) == ITEM_CROSSBOW))
{
if(Use_MagicBolt == FALSE)
{
if(Npc_HasItems(hero,ItRw_Addon_MagicBolt) >= 1)
{
weapon.munition = ItRw_Addon_MagicBolt;
Use_Bolt = FALSE;
Use_MagicBolt = TRUE;
Use_HolyBolt = FALSE;
AI_Print("Používáš magické šipky...");
}
else
{
AI_Print("Nemáš žádné šipky tohoto druhu!");
};
}
else
{
AI_Print("Už používáš tenhle druh šipek!");
};
};
if(KeyPressed(KEY_NUMPAD3) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (Npc_HasEquippedRangedWeapon(hero) == TRUE) && (Hlp_IsItem(weapon,ITRW_SHADOWBOW) != TRUE) && ((weapon.flags & ITEM_BOW) == ITEM_BOW))
{
if(Use_HolyArrow == FALSE)
{
if(Npc_HasItems(hero,ItRw_HolyArrow) >= 1)
{
weapon.munition = ItRw_HolyArrow;
Use_Arrow = FALSE;
Use_PoisonArrow = FALSE;
Use_HolyArrow = TRUE;
Use_FireArrow = FALSE;
Use_MagicArrow = FALSE;
AI_Print("Používáš posvěcené šípy...");
}
else
{
AI_Print("Nemáš žádné šípy tohoto druhu!");
};
}
else
{
AI_Print("Už používáš tenhle druh šípů!");
};
};
if(KeyPressed(KEY_NUMPAD3) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (Npc_HasEquippedRangedWeapon(hero) == TRUE) && (Hlp_IsItem(weapon,ITRW_ADDON_MAGICCROSSBOW_SHV) != TRUE) && ((weapon.flags & ITEM_CROSSBOW) == ITEM_CROSSBOW))
{
if(Use_HolyBolt == FALSE)
{
if(Npc_HasItems(hero,ItRw_HolyBolt) >= 1)
{
weapon.munition = ItRw_HolyBolt;
Use_Bolt = FALSE;
Use_MagicBolt = FALSE;
Use_HolyBolt = TRUE;
AI_Print("Používáš posvěcené šipky...");
}
else
{
AI_Print("Nemáš žádné šipky tohoto druhu!");
};
}
else
{
AI_Print("Už používáš tenhle druh šipek!");
};
};
if(KeyPressed(KEY_NUMPAD4) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (Npc_HasEquippedRangedWeapon(hero) == TRUE) && (Hlp_IsItem(weapon,ITRW_SHADOWBOW) != TRUE) && ((weapon.flags & ITEM_BOW) == ITEM_BOW))
{
if(Use_FireArrow == FALSE)
{
if(Npc_HasItems(hero,ItRw_Addon_FireArrow) >= 1)
{
weapon.munition = ItRw_Addon_FireArrow;
Use_Arrow = FALSE;
Use_PoisonArrow = FALSE;
Use_HolyArrow = FALSE;
Use_FireArrow = TRUE;
Use_MagicArrow = FALSE;
AI_Print("Používáš ohnivé šípy...");
}
else
{
AI_Print("Nemáš žádné šípy tohoto druhu!");
};
}
else
{
AI_Print("Už používáš tenhle druh šípů!");
};
};
if(KeyPressed(KEY_NUMPAD5) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (Npc_HasEquippedRangedWeapon(hero) == TRUE) && (Hlp_IsItem(weapon,ITRW_SHADOWBOW) != TRUE) && ((weapon.flags & ITEM_BOW) == ITEM_BOW))
{
if(Use_PoisonArrow == FALSE)
{
if(Npc_HasItems(hero,ItRw_PoisonArrow) >= 1)
{
weapon.munition = ItRw_PoisonArrow;
Use_Arrow = FALSE;
Use_PoisonArrow = TRUE;
Use_HolyArrow = FALSE;
Use_FireArrow = FALSE;
Use_MagicArrow = FALSE;
AI_Print("Používáš otrávené šípy...");
}
else
{
AI_Print("Nemáš žádné šípy tohoto druhu!");
};
}
else
{
AI_Print("Už používáš tenhle druh šípů!");
};
};
if(KeyPressed(KEY_NUMPAD6) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (PlayerSitDust == FALSE) && (HeroTRANS == FALSE) && (HeroIsDead == FALSE) && (ShakoIsOn[0] == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
if(CraitIsUp == FALSE)
{
if(PlayerSitDust == TRUE)
{
AI_PlayAniBS(hero,"T_SIT_2_STAND",BS_SIT);
PlayerSitDust = FALSE;
WhistleCount = FALSE;
};
if((hero.attribute[ATR_MANA_MAX] >= 350) && (Npc_HasItems(hero,ItMi_FlyCarpet) >= 1) && (Npc_GetTalentSkill(hero,NPC_TALENT_MAGE) >= 4))
{
if(FlyCarpetIsOn == FALSE)
{
Mdl_ApplyOverlayMds(hero,"fliegender_drache.mds");
ActivateZSSlot(hero,"BIP01");
Ext_RemoveFromSlot(hero,"BIP01");
Ext_PutInSlot(hero,"BIP01",ItSe_FlyCarpet);
Npc_RemoveInvItems(hero,ItSe_FlyCarpet,Npc_HasItems(hero,ItSe_FlyCarpet));
FlyCarpetIsOn = TRUE;
}
else
{
Ext_RemoveFromSlot(hero,"BIP01");
Npc_RemoveInvItems(hero,ItSe_FlyCarpet,Npc_HasItems(hero,ItSe_FlyCarpet));
AI_Dodge(hero);
AI_StandUpQuick(hero);
Mdl_RemoveOverlayMds(hero,"fliegender_drache.mds");
FlyCarpetIsOn = FALSE;
CheckDismount = TRUE;
};
}
else
{
Mdl_RemoveOverlayMds(hero,"fliegender_drache.mds");
if(Npc_HasItems(hero,ItMi_FlyCarpet) == FALSE)
{
B_Say(hero,hero,"$MISSINGITEM");
}
else
{
B_Say(hero,hero,"$TOOHEAVYFORME");
AI_Print("Pro použití potřebuješ mít 350 bodů many a ovládat 4. kruh magie...");
};
};
};
};
//------------------------Procheye-----------------------------------------------
if(KeyPressed(KEY_NUMPAD7) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (CaptureCheat == TRUE) && (HeroIsDead == FALSE))
{
if(RegenSummoned == FALSE)
{
RegenSummoned = TRUE;
}
else
{
RegenSummoned = FALSE;
};
};
if(KeyPressed(KEY_NUMPAD8) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && KeyPressed(KEY_LSHIFT) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (PlayerSitDust == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (HeroIsDead == FALSE) && (Npc_IsInFightMode(hero,FMODE_NONE) == TRUE))
{
if(Npc_HasItems(hero,ItMi_Angel) >= 1)
{
if(Wld_IsFPAvailable(hero,"CATCHFISH") && (AngelIsOn == FALSE))
{
AI_GotoFP(hero,"CATCHFISH");
AI_Standup(hero);
AI_AlignToFP(hero);
ActivateZSSlot(hero,"BIP01 R HAND");
Ext_RemoveFromSlot(hero,"BIP01 R HAND");
Ext_PutInSlot(hero,"BIP01 R HAND",ItSe_FAngel);
Npc_RemoveInvItems(hero,ItSe_FAngel,Npc_HasItems(hero,ItSe_FAngel));
AI_ProcessInfos(hero);
AngelIsOn = TRUE;
}
else
{
AI_Print("Tohle není zrovna nejlepší místo pro rybaření...");
B_Say(hero,hero,"$DONTWORK");
ActivateZSSlot(hero,"BIP01 R HAND");
Ext_RemoveFromSlot(hero,"BIP01 R HAND");
AngelIsOn = FALSE;
};
}
else
{
AI_Print("Nemáš žádnou udici...");
B_Say(hero,hero,"$MISSINGITEM");
ActivateZSSlot(hero,"BIP01 R HAND");
Ext_RemoveFromSlot(hero,"BIP01 R HAND");
AngelIsOn = FALSE;
};
};
if(KeyPressed(KEY_NUMPAD9) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && KeyPressed(KEY_LSHIFT) && (Steal_Mode == FALSE) && (HeroIsDead == FALSE) && (Mount_Up == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
if(Npc_ValidFocusNpc(hero))
{
if((pNpc.guild <= GIL_SEPERATOR_HUM) && (pNpc.attribute[ATR_HITPOINTS] == FALSE) && (pNpc.aivar[90] == FALSE) && (pNpc.guild != GIL_DMT))
{
if(pNpc.aivar[AIV_StoryBandit] == FALSE)
{
if((Npc_HasItems(hero,ItSc_Ressurect) >= 1) && (hero.attribute[ATR_MANA] >= SPL_COST_SCROLL4))
{
AI_RemoveWeapon(hero);
Npc_RemoveInvItems(hero,ItSc_Ressurect,1);
AI_PlayAni(hero,"T_MAGRUN_2_HEASHOOT");
pNpc.attribute[ATR_HITPOINTS] = pNpc.attribute[ATR_HITPOINTS_MAX];
pNpc.attribute[ATR_HITPOINTS] = pNpc.attribute[ATR_HITPOINTS_MAX];
hero.attribute[ATR_MANA] -= SPL_COST_SCROLL4;
Npc_ClearAIQueue(pNpc);
Npc_PerceiveAll(pNpc);
Snd_Play("MFX_GHOSTVOICE");
AI_PlayAni(pNpc,"T_STAND_2_SUCKENERGY_VICTIM");
AI_PlayAni(pNpc,"S_SUCKENERGY_VICTIM");
Wld_PlayEffect("SPELLFX_HEALSHRINE",pNpc,pNpc,0,0,0,FALSE);
AI_Wait(pNpc,5);
AI_Wait(hero,5);
AI_PlayAni(hero,"T_HEASHOOT_2_STAND");
AI_PlayAniBS(pNpc,"T_SUCKENERGY_VICTIM_2_STAND",BS_STAND);
AI_ContinueRoutine(pNpc);
}
else if(Npc_HasItems(hero,ItSc_Ressurect) == FALSE)
{
AI_Print("Nemáš žádný svitek oživení...");
B_Say(hero,hero,"$MISSINGITEM");
}
else if(hero.attribute[ATR_MANA] < SPL_COST_SCROLL4)
{
AI_Print("Nemáš dostatek many...");
B_Say(hero,hero,"$DONTWORK");
};
}
else
{
if(Hlp_GetInstanceID(pNpc) != Hlp_GetInstanceID(VLK_444_Jack))
{
AI_Print("To nepomůže...");
};
B_Say(hero,hero,"$DONTWORK");
};
};
};
};
if(KeyPressed(KEY_BACK) && KeyPressed(KEY_LSHIFT) && !KeyPressed(KEY_RSHIFT) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (FlyCarpetIsOn == FALSE) && (PlayerSitDust == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE))
{
if((hero.attribute[ATR_HITPOINTS] > 0) && (HeroIsDead == FALSE) && (Npc_IsInState(hero,ZS_Talk) == FALSE) && (Npc_IsInState(hero,ZS_Unconscious) == FALSE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE))
{
AI_RemoveWeapon(hero);
tmpMana = hero.attribute[ATR_MANA];
tmpHp = hero.attribute[ATR_HITPOINTS];
AI_Standup(hero);
AI_PlayAniBS(hero,"T_LGUARD_STRETCH",BS_STAND);
hero.attribute[ATR_MANA] = tmpMana;
hero.attribute[ATR_HITPOINTS] = tmpHp;
AI_Wait(hero,1);
bManaBar = 1;
bHealthBar = 1;
CamModeOn = FALSE;
};
};
if(KeyPressed(KEY_NUMPAD3) && !KeyPressed(KEY_LSHIFT) && KeyPressed(KEY_RSHIFT) && (Npc_IsInFightMode(hero,FMODE_NONE) == TRUE) && (AIV_OrcWeaponEquip == FALSE) && (RH_Ready_2X2 == FALSE) && (LH_Ready_2X2 == FALSE) && (LowHealth == FALSE) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (CaptureCheat == TRUE) && (HeroIsDead == FALSE))
{
if(EquipedIndex_1H == TRUE)
{
if((EquipedIndex_Chief == FALSE) && (AIV_Shield_01 == FALSE) && (AIV_Shield_02 == FALSE) && (AIV_Shield_03 == FALSE) && (AIV_Shield_04 == FALSE) && (AIV_Shield_05 == FALSE) && (AIV_Shield_06 == FALSE) && (AIV_Shield_07 == FALSE) && (AIV_Shield_Caracust == FALSE))
{
if(hero.HitChance[NPC_TALENT_1H] >= 90)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"humans_1hST3.mds");
AI_Print("Vybrána úroveň boje s jednoručními zbraněmi - 'Mistr'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
}
else if(EquipedIndex_Chief == TRUE)
{
if(hero.HitChance[NPC_TALENT_1H] >= 90)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"Humans_Rapier_ST3.mds");
AI_Print("Vybrána úroveň boje s jednoručními zbraněmi - 'Mistr'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
}
else if((AIV_Shield_01 == TRUE) || (AIV_Shield_02 == TRUE) || (AIV_Shield_03 == TRUE) || (AIV_Shield_04 == TRUE) || (AIV_Shield_05 == TRUE) || (AIV_Shield_06 == TRUE) || (AIV_Shield_07 == TRUE) || (AIV_Shield_Caracust == TRUE))
{
if(hero.attribute[ATR_REGENERATEMANA] >= 90)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"Shield_ST4.MDS");
AI_Print("Vybrána úroveň boje se štítem - 'Mistr'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
};
};
if(EquipedIndex_2H == TRUE)
{
if((AIV_Speer == FALSE) && (AIV_Staff_Blood == FALSE) && (AIV_Staff_01 == FALSE) && (AIV_Staff_02 == FALSE) && (AIV_Staff_03 == FALSE) && (AIV_Staff_04 == FALSE) && (AIV_Staff_05 == FALSE) && (AIV_Staff_06 == FALSE) && (AIV_Staff_07 == FALSE) && (AIV_Staff_08 == FALSE) && (AIV_Staff_09 == FALSE) && (AIV_Staff_10 == FALSE))
{
if(hero.HitChance[NPC_TALENT_2H] >= 90)
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
if(AXE_ST3 == TRUE)
{
Mdl_ApplyOverlayMds(hero,"humans_2hST3.mds");
}
else if(AXE_ST2 == TRUE)
{
Mdl_ApplyOverlayMds(hero,"humans_2hST3.mds");
AXE_ST2 = FALSE;
AXE_ST3 = TRUE;
}
else if(AXE_STON == TRUE)
{
Mdl_ApplyOverlayMds(hero,"humans_2hST3.mds");
AXE_ST2 = FALSE;
AXE_ST3 = TRUE;
}
else
{
Mdl_ApplyOverlayMds(hero,"humans_2hST3.mds");
};
AI_Print("Vybrána úroveň boje s obouručními zbraněmi - 'Mistr'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
}
else if(AIV_Speer == TRUE)
{
if(hero.HitChance[NPC_TALENT_2H] >= 90)
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
Mdl_ApplyOverlayMds(hero,"Humans_SPST2.MDS");
AI_Print("Vybrána úroveň boje s kopím - 'Mistr'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
};
if((AIV_Staff_01 == TRUE) || (AIV_Staff_Blood == TRUE) || (AIV_Staff_02 == TRUE) || (AIV_Staff_03 == TRUE) || (AIV_Staff_04 == TRUE) || (AIV_Staff_05 == TRUE) || (AIV_Staff_06 == TRUE) || (AIV_Staff_07 == TRUE) || (AIV_Staff_08 == TRUE) || (AIV_Staff_09 == TRUE) || (AIV_Staff_10 == TRUE))
{
if(hero.HitChance[NPC_TALENT_2H] >= 90)
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
Mdl_ApplyOverlayMds(hero,"Humans_SPST2.MDS");
AI_Print("Vybrána úroveň boje s holí - 'Mistr'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
};
};
};
if(KeyPressed(KEY_NUMPAD2) && !KeyPressed(KEY_LSHIFT) && KeyPressed(KEY_RSHIFT) && (Npc_IsInFightMode(hero,FMODE_NONE) == TRUE) && (AIV_OrcWeaponEquip == FALSE) && (RH_Ready_2X2 == FALSE) && (LH_Ready_2X2 == FALSE) && (LowHealth == FALSE) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (CaptureCheat == TRUE) && (HeroIsDead == FALSE))
{
if(EquipedIndex_1H == TRUE)
{
if((EquipedIndex_Chief == FALSE) && (AIV_Shield_01 == FALSE) && (AIV_Shield_02 == FALSE) && (AIV_Shield_03 == FALSE) && (AIV_Shield_04 == FALSE) && (AIV_Shield_05 == FALSE) && (AIV_Shield_06 == FALSE) && (AIV_Shield_07 == FALSE) && (AIV_Shield_Caracust == FALSE))
{
if(hero.HitChance[NPC_TALENT_1H] >= 60)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"humans_1hST2.mds");
AI_Print("Vybrána úroveň boje s jednoručními zbraněmi - 'Expert'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
}
else if(EquipedIndex_Chief == TRUE)
{
if(hero.HitChance[NPC_TALENT_1H] >= 60)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"Humans_Rapier_ST2.mds");
AI_Print("Vybrána úroveň boje s jednoručními zbraněmi - 'Expert'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
}
else if((AIV_Shield_01 == TRUE) || (AIV_Shield_02 == TRUE) || (AIV_Shield_03 == TRUE) || (AIV_Shield_04 == TRUE) || (AIV_Shield_05 == TRUE) || (AIV_Shield_06 == TRUE) || (AIV_Shield_07 == TRUE) || (AIV_Shield_Caracust == TRUE))
{
if(hero.attribute[ATR_REGENERATEMANA] >= 60)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"Shield_ST3.MDS");
AI_Print("Vybrána úroveň boje se štítem - 'Expert'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
};
};
if(EquipedIndex_2H == TRUE)
{
if((AIV_Speer == FALSE) && (AIV_Staff_Blood == FALSE) && (AIV_Staff_01 == FALSE) && (AIV_Staff_02 == FALSE) && (AIV_Staff_03 == FALSE) && (AIV_Staff_04 == FALSE) && (AIV_Staff_05 == FALSE) && (AIV_Staff_06 == FALSE) && (AIV_Staff_07 == FALSE) && (AIV_Staff_08 == FALSE) && (AIV_Staff_09 == FALSE) && (AIV_Staff_10 == FALSE))
{
if(hero.HitChance[NPC_TALENT_2H] >= 60)
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
if(AXE_ST2 == TRUE)
{
Mdl_ApplyOverlayMds(hero,"humans_2hST2.mds");
}
else if(AXE_STON == TRUE)
{
Mdl_ApplyOverlayMds(hero,"humans_2hST2.mds");
AXE_ST2 = TRUE;
}
else
{
Mdl_ApplyOverlayMds(hero,"humans_2hST2.mds");
};
AI_Print("Vybrána úroveň boje s obouručními zbraněmi - 'Expert'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
}
else if(AIV_Speer == TRUE)
{
if(hero.HitChance[NPC_TALENT_2H] >= 60)
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
Mdl_ApplyOverlayMds(hero,"HUMANS_AXEST2.MDS");
AI_Print("Vybrána úroveň boje s kopím - 'Expert'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
};
if((AIV_Staff_01 == TRUE) || (AIV_Staff_Blood == TRUE) || (AIV_Staff_02 == TRUE) || (AIV_Staff_03 == TRUE) || (AIV_Staff_04 == TRUE) || (AIV_Staff_05 == TRUE) || (AIV_Staff_06 == TRUE) || (AIV_Staff_07 == TRUE) || (AIV_Staff_08 == TRUE) || (AIV_Staff_09 == TRUE) || (AIV_Staff_10 == TRUE))
{
if(hero.HitChance[NPC_TALENT_2H] >= 60)
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
Mdl_ApplyOverlayMds(hero,"HUMANS_AXEST2.MDS");
AI_Print("Vybrána úroveň boje s holí - 'Expert'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
};
};
};
if(KeyPressed(KEY_NUMPAD1) && !KeyPressed(KEY_LSHIFT) && KeyPressed(KEY_RSHIFT) && (Npc_IsInFightMode(hero,FMODE_NONE) == TRUE) && (AIV_OrcWeaponEquip == FALSE) && (RH_Ready_2X2 == FALSE) && (LH_Ready_2X2 == FALSE) && (LowHealth == FALSE) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (CaptureCheat == TRUE) && (HeroIsDead == FALSE))
{
if(EquipedIndex_1H == TRUE)
{
if((EquipedIndex_Chief == FALSE) && (AIV_Shield_01 == FALSE) && (AIV_Shield_02 == FALSE) && (AIV_Shield_03 == FALSE) && (AIV_Shield_04 == FALSE) && (AIV_Shield_05 == FALSE) && (AIV_Shield_06 == FALSE) && (AIV_Shield_07 == FALSE) && (AIV_Shield_Caracust == FALSE))
{
if(hero.HitChance[NPC_TALENT_1H] >= 30)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"humans_1hST1.mds");
AI_Print("Vybrána úroveň boje s jednoručními zbraněmi - 'Bojovník'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
}
else if(EquipedIndex_Chief == TRUE)
{
if(hero.HitChance[NPC_TALENT_1H] >= 30)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"Humans_Rapier_ST1.mds");
AI_Print("Vybrána úroveň boje s jednoručními zbraněmi - 'Bojovník'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
}
else if((AIV_Shield_01 == TRUE) || (AIV_Shield_02 == TRUE) || (AIV_Shield_03 == TRUE) || (AIV_Shield_04 == TRUE) || (AIV_Shield_05 == TRUE) || (AIV_Shield_06 == TRUE) || (AIV_Shield_07 == TRUE) || (AIV_Shield_Caracust == TRUE))
{
if(hero.attribute[ATR_REGENERATEMANA] >= 30)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"Shield_ST2.MDS");
AI_Print("Vybrána úroveň boje se štítem - 'Bojovník'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
};
};
if(EquipedIndex_2H == TRUE)
{
if((AIV_Speer == FALSE) && (AIV_Staff_Blood == FALSE) && (AIV_Staff_01 == FALSE) && (AIV_Staff_02 == FALSE) && (AIV_Staff_03 == FALSE) && (AIV_Staff_04 == FALSE) && (AIV_Staff_05 == FALSE) && (AIV_Staff_06 == FALSE) && (AIV_Staff_07 == FALSE) && (AIV_Staff_08 == FALSE) && (AIV_Staff_09 == FALSE) && (AIV_Staff_10 == FALSE))
{
if(hero.HitChance[NPC_TALENT_2H] >= 30)
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
Mdl_ApplyOverlayMds(hero,"humans_2hST1.mds");
AI_Print("Vybrána úroveň boje s obouručními zbraněmi - 'Bojovník'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
}
else if(AIV_Speer == TRUE)
{
if(hero.HitChance[NPC_TALENT_2H] >= 30)
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
Mdl_ApplyOverlayMds(hero,"Humans_SPST1.MDS");
AI_Print("Vybrána úroveň boje s kopím - 'Bojovník'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
};
if((AIV_Staff_01 == TRUE) || (AIV_Staff_Blood == TRUE) || (AIV_Staff_02 == TRUE) || (AIV_Staff_03 == TRUE) || (AIV_Staff_04 == TRUE) || (AIV_Staff_05 == TRUE) || (AIV_Staff_06 == TRUE) || (AIV_Staff_07 == TRUE) || (AIV_Staff_08 == TRUE) || (AIV_Staff_09 == TRUE) || (AIV_Staff_10 == TRUE))
{
if(hero.HitChance[NPC_TALENT_2H] >= 30)
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
Mdl_ApplyOverlayMds(hero,"Humans_SPST1.MDS");
AI_Print("Vybrána úroveň boje s holí - 'Bojovník'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
};
};
};
if(KeyPressed(KEY_NUMPAD0) && !KeyPressed(KEY_LSHIFT) && KeyPressed(KEY_RSHIFT) && (Npc_IsInFightMode(hero,FMODE_NONE) == TRUE) && (AIV_OrcWeaponEquip == FALSE) && (RH_Ready_2X2 == FALSE) && (LH_Ready_2X2 == FALSE) && (LowHealth == FALSE) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (C_BodyStateContains(hero,BS_CLIMB) == FALSE) && (C_BodyStateContains(hero,BS_CRAWL) == FALSE) && (C_BodyStateContains(hero,BS_JUMP) == FALSE) && (C_BodyStateContains(hero,BS_DIVE) == FALSE) && (C_BodyStateContains(hero,BS_SWIM) == FALSE) && (C_BodyStateContains(hero,BS_FALL) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (CaptureCheat == TRUE) && (HeroIsDead == FALSE))
{
if(EquipedIndex_1H == TRUE)
{
if((EquipedIndex_Chief == FALSE) && (AIV_Shield_01 == FALSE) && (AIV_Shield_02 == FALSE) && (AIV_Shield_03 == FALSE) && (AIV_Shield_04 == FALSE) && (AIV_Shield_05 == FALSE) && (AIV_Shield_06 == FALSE) && (AIV_Shield_07 == FALSE) && (AIV_Shield_Caracust == FALSE))
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
AI_Print("Vybrána úroveň boje s jednoručními zbraněmi - 'Rekrut'");
B_CheckAcroAni(hero);
}
else if(EquipedIndex_Chief == TRUE)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"Humans_Pirate.mds");
AI_Print("Vybrána úroveň boje s jednoručními zbraněmi - 'Rekrut'");
B_CheckAcroAni(hero);
}
else if((AIV_Shield_01 == TRUE) || (AIV_Shield_02 == TRUE) || (AIV_Shield_03 == TRUE) || (AIV_Shield_04 == TRUE) || (AIV_Shield_05 == TRUE) || (AIV_Shield_06 == TRUE) || (AIV_Shield_07 == TRUE) || (AIV_Shield_Caracust == TRUE))
{
if(hero.attribute[ATR_REGENERATEMANA] >= 1)
{
Mdl_RemoveOverlayMds(hero,"humans_1hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_1hST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Pirate.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST3.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Rapier_ST1.mds");
Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS");
Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS");
Mdl_ApplyOverlayMds(hero,"Shield_ST1.MDS");
AI_Print("Vybrána úroveň boje se štítem - 'Rekrut'");
B_CheckAcroAni(hero);
}
else
{
AI_PrintClr("Nedostatečná úroveň boje se zbraněmi!",177,58,17);
};
};
};
if(EquipedIndex_2H == TRUE)
{
if((AIV_Speer == FALSE) && (AIV_Staff_Blood == FALSE) && (AIV_Staff_01 == FALSE) && (AIV_Staff_02 == FALSE) && (AIV_Staff_03 == FALSE) && (AIV_Staff_04 == FALSE) && (AIV_Staff_05 == FALSE) && (AIV_Staff_06 == FALSE) && (AIV_Staff_07 == FALSE) && (AIV_Staff_08 == FALSE) && (AIV_Staff_09 == FALSE) && (AIV_Staff_10 == FALSE))
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
AI_Print("Vybrána úroveň boje s obouručními zbraněmi - 'Rekrut'");
B_CheckAcroAni(hero);
}
else if(AIV_Speer == TRUE)
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
AI_Print("Vybrána úroveň boje s kopím - 'Rekrut'");
B_CheckAcroAni(hero);
};
if((AIV_Staff_01 == TRUE) || (AIV_Staff_Blood == TRUE) || (AIV_Staff_02 == TRUE) || (AIV_Staff_03 == TRUE) || (AIV_Staff_04 == TRUE) || (AIV_Staff_05 == TRUE) || (AIV_Staff_06 == TRUE) || (AIV_Staff_07 == TRUE) || (AIV_Staff_08 == TRUE) || (AIV_Staff_09 == TRUE) || (AIV_Staff_10 == TRUE))
{
Mdl_RemoveOverlayMds(hero,"humans_2hST3.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST2.mds");
Mdl_RemoveOverlayMds(hero,"humans_2hST1.mds");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST1.MDS");
Mdl_RemoveOverlayMds(hero,"HUMANS_AXEST2.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_START_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"HUM_2X2.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_2x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"Humans_1x2ST3.MDS");
Mdl_RemoveOverlayMds(hero,"WOUNDED_2X2.MDS.MDS");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"Humans_O2Hl2.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafx.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafw.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafd.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafg.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Stafdemon.mds");
Mdl_RemoveOverlayMds(hero,"PRE_Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"PRE_START.mds");
Mdl_RemoveOverlayMds(hero,"Humans_Speer.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST1.mds");
Mdl_RemoveOverlayMds(hero,"Humans_SPST2.mds");
AI_Print("Vybrána úroveň boje s holí - 'Rekrut'");
B_CheckAcroAni(hero);
};
};
};
if(KeyPressed(KEY_U))
{
if(Menu_ReadInt("SOUND","musicEnabled") == TRUE)
{
Menu_WriteInt("SOUND","musicEnabled",FALSE);
Menu_WriteInt("SOUND","musicEnabled",TRUE);
};
};
if(KeyClick(KEY_I) && (C_BodyStateContains(hero,BS_ITEMINTERACT) == FALSE) && (Hlp_InventoryIsOpen() == FALSE) && (bDevMode == FALSE) && (Steal_Mode == FALSE) && (Mount_Up == FALSE) && (ShakoIsOn[0] == FALSE) && (OptionCheck == FALSE) && (HeroTRANS == FALSE) && (PLAYER_MOBSI_PRODUCTION == MOBSI_NONE) && (HeroNotMobsi == FALSE) && (ENDGAMECREDITS == FALSE) && (CaptureCheat == TRUE) && (HeroIsDead == FALSE))
{
if(MoreInfoOnScreen == FALSE)
{
MoreInfoOnScreen = TRUE;
}
else
{
MoreInfoOnScreen = FALSE;
};
};
if(hero.guild <= GIL_SEPERATOR_HUM)
{
G_OpenSteal(uKey);
};
//if(KeyPressed(KEY_LSHIFT) && KeyPressed(KEY_LCONTROL) && KeyPressed(KEY_K))
//{
// B_UseItem(hero,ItWr_UndefBook);
//};
};
func void JHJKGHJhjfgdhfhfdglGHjdjggEUIERh1()
{
};
func void JHJKGHJhjfgdhfhfdglGHjdjggEUIERh()
{
};
func void JHJKGHJhjfgdhfhfdglGHjdjggEUIERhKLSDHhfhd()
{
JHJKGHJhjfgdhfhfdglGHjdjggEUIERh();
JHJKGHJhjfgdhfhfdglGHjdjggEUIERh1();
}; | D |
/// Copyright: Copyright (c) 2017-2019 Andrey Penechko.
/// License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0).
/// Authors: Andrey Penechko.
/// We rely on the fact that nodes are allocated sequentially,
/// which allows us to simply copy a range on slots and fix indices,
/// in order to create template instance.
module vox.fe.ast.decl.template_;
import vox.all;
@(AstType.decl_template)
struct TemplateDeclNode
{
mixin AstNodeData!(AstType.decl_template);
/// For template name register
ScopeIndex parentScope;
/// Template parameters
AstNodes parameters;
/// Templated AST node (currently function or struct)
AstIndex body;
/// Points to the first index that needs to be copied
AstIndex body_start;
/// Points to the next index after body data
AstIndex after_body;
/// Template id. Same as underlying entity.
Identifier id;
/// Number of parameters before variadic parameter
/// Is equal to parameters.length when no variadic is present
ushort numParamsBeforeVariadic;
/// Cached template instances
Array!TemplateInstance instances;
bool hasVariadic() { return numParamsBeforeVariadic < parameters.length; };
}
struct TemplateInstance
{
/// Template arguments of this instance
AstNodes args;
/// AST node created for instantiated template. Copy of TemplateDeclNode.body
AstIndex entity;
}
void print_template(TemplateDeclNode* node, ref AstPrintState state)
{
state.print("TEMPLATE ", state.context.idString(node.id));
print_ast(node.parameters, state);
print_ast(node.body, state);
foreach (ref TemplateInstance inst; node.instances)
{
state.print("INSTANCE: ", state.context.idString(inst.entity.get_node_id(state.context)));
print_ast(inst.entity, state);
}
}
void post_clone_template(TemplateDeclNode* node, ref CloneState state)
{
state.fixScope(node.parentScope);
state.fixAstNodes(node.parameters);
state.fixAstIndex(node.body);
// TemplateDeclNode.after_body can be == to CloneState.cloned_to
// Fix it manually
// And it doesn't need node post clone code called
node.body_start.storageIndex += state.offset;
node.after_body.storageIndex += state.offset;
}
void name_register_self_template(AstIndex nodeIndex, TemplateDeclNode* node, ref NameRegisterState state)
{
node.state = AstNodeState.name_register_nested;
node.parentScope.insert_scope(node.id, nodeIndex, state.context);
node.state = AstNodeState.type_check_done;
}
enum TemplateParamDeclFlags : ushort
{
isVariadic = AstFlags.userFlag << 0,
}
@(AstType.decl_template_param)
struct TemplateParamDeclNode
{
mixin AstNodeData!(AstType.decl_template_param);
Identifier id;
ushort index; // index in the list of template parameters
bool isVariadic() { return cast(bool)(flags & TemplateParamDeclFlags.isVariadic); }
}
void print_template_param(TemplateParamDeclNode* node, ref AstPrintState state)
{
state.print("TEMPLATE PARAM ", state.context.idString(node.id), node.isVariadic ? "..." : null);
}
struct CloneState
{
CompilationContext* context;
// We need to add this offset to all indices inside copied slots that point into copied slots
uint offset;
/// Points to original nodes
AstIndex cloned_from;
AstIndex cloned_to;
/// We want to redirect all references from `template_parent_scope` to `instance_scope`
ScopeIndex template_parent_scope;
/// Scope where template was instantiated. Contains template arguments
ScopeIndex instance_scope;
void fixAstIndex(ref AstIndex nodeIndex)
{
// null is automatically out of bounds
if (nodeIndex.storageIndex >= cloned_from.storageIndex && nodeIndex.storageIndex < cloned_to.storageIndex)
{
nodeIndex.storageIndex += offset;
post_clone(nodeIndex, this);
}
}
void fixAstNodes(ref AstNodes nodes)
{
nodes = nodes.dup(context.arrayArena);
foreach(ref AstIndex index; nodes)
fixAstIndex(index);
}
void fixScope(ref ScopeIndex _scope)
{
// null is automatically out of bounds
if (_scope.storageIndex >= cloned_from.storageIndex && _scope.storageIndex < cloned_to.storageIndex)
{
//writefln("fix %s -> %s", _scope, AstIndex(_scope.storageIndex + offset));
_scope.storageIndex += offset;
Scope* s = _scope.get_scope(context);
post_clone_scope(s, this);
}
else if (_scope == template_parent_scope)
{
assert(_scope.isDefined);
// redirect to this scope for instance argument resolution
//writefln("fix %s -> %s", _scope, instance_scope);
_scope = instance_scope;
}
}
}
AstIndex get_template_instance(AstIndex templateIndex, TokenIndex start, AstNodes args, ref TypeCheckState state)
{
CompilationContext* c = state.context;
auto templ = templateIndex.get!TemplateDeclNode(c);
++c.numTemplateInstanceLookups;
auto numParams = templ.parameters.length;
auto numArgs = args.length;
AstIndex errNumArgs() {
c.error(start,
"Wrong number of template arguments (%s), must be %s",
numArgs,
numParams);
return CommonAstNodes.node_error;
}
void checkArg(size_t index, AstIndex arg)
{
if (!arg.isType(c))
{
// will be lifted in the future
c.error(arg.loc(c),
"Template argument %s, must be a type, not %s", index+1,
arg.astType(c));
}
}
// Verify arguments. For now only types are supported
foreach(size_t i, AstIndex arg; args) {
checkArg(i, arg);
}
bool hasVariadic = templ.numParamsBeforeVariadic < numParams;
AstNodes variadicTypes;
if (hasVariadic) {
// handle variadic parameter
if (numArgs < numParams && numParams - numArgs > 1) return errNumArgs;
foreach(size_t i; templ.numParamsBeforeVariadic..numArgs) {
variadicTypes.put(c.arrayArena, args[i]);
}
} else if (numArgs != numParams) {
return errNumArgs;
}
// Check if there is existing instance
instance_loop:
foreach(ref TemplateInstance instance; templ.instances)
{
// templates with variadics can have different number of instance arguments
if (instance.args.length != numArgs) continue;
foreach(size_t i, AstIndex arg; instance.args)
{
if (!same_type(arg, args[i], c)) continue instance_loop;
}
// Found match, reuse instance
return instance.entity;
}
// No matching instances found
// Create new instance
++c.numTemplateInstantiations;
// Create scope for arguments
ScopeIndex instance_scope = c.appendScope;
Scope* newScope = c.getAstScope(instance_scope);
newScope.parentScope = templ.parentScope;
newScope.debugName = "template instance";
newScope.kind = newScope.parentScope.get_scope(c).kind;
// Register template instance arguments
foreach(size_t i; 0..templ.numParamsBeforeVariadic)
{
AstIndex paramIndex = templ.parameters[i];
auto param = paramIndex.get!TemplateParamDeclNode(c);
newScope.insert(param.id, args[i], c);
}
// register variadic (must be single node)
if (hasVariadic)
{
AstIndex paramIndex = templ.parameters[templ.numParamsBeforeVariadic];
auto param = paramIndex.get!TemplateParamDeclNode(c);
// Create array of variadic types
auto arrayIndex = c.appendAst!AliasArrayDeclNode(param.loc, variadicTypes);
auto arrayNode = arrayIndex.get!AliasArrayDeclNode(c);
newScope.insert(param.id, arrayIndex, c);
}
// Clone template body and apply fixes
CloneState cloneState = clone_node(templ.body_start, templ.after_body, instance_scope, c);
AstIndex instance = templ.body;
cloneState.fixAstIndex(instance);
// Node may need to know if is a result of template instantiation
instance.flags(c) |= AstFlags.isTemplateInstance;
// Create identifier for instance
set_instance_id(instance, args, c);
// Cache instance
templ.instances.put(c.arrayArena, TemplateInstance(args, instance));
// Type check instance
// Must be registered before type check to prevent infinite recursion in case of recursive templates
require_type_check(instance, c);
return instance;
}
void set_instance_id(AstIndex instance_index, AstNodes instance_args, CompilationContext* c)
{
Identifier* id = &instance_index.get_node_id(c);
TextSink* sink = &c.tempBuf;
sink.clear;
sink.put(c.idString(*id));
sink.put("[");
foreach(size_t i, AstIndex arg; instance_args)
{
if (i > 0) sink.put(", ");
print_node_name(*sink, arg, c);
}
sink.put("]");
const(char)[] idString = sink.data.data;
*id = c.idMap.getOrReg(c, idString);
}
/// Perform copiying of AST subtree and index fixing
/// node_start..after_node is the range of slots to be copied
/// instance_scope is the scope created around AST subtree copy
/// All nodes need to fixed via CloneState through indices pointing inside cloned tree
CloneState clone_node(AstIndex node_start, AstIndex after_node, ScopeIndex instance_scope, CompilationContext* c)
{
c.assertf(after_node.storageIndex > node_start.storageIndex, "%s > %s", node_start, after_node);
AstIndex slots_start = AstIndex(c.astBuffer.uintLength);
c.assertf(slots_start.storageIndex > node_start.storageIndex, "%s > %s", slots_start, node_start);
uint num_slots_to_copy = after_node.storageIndex - node_start.storageIndex;
// allocate space at the end
uint[] slots = c.astBuffer.voidPut(num_slots_to_copy);
// copy slots
slots[] = c.astBuffer.bufPtr[node_start.storageIndex..after_node.storageIndex];
CloneState state = {
context : c,
offset : slots_start.storageIndex - node_start.storageIndex,
cloned_from : node_start,
cloned_to : after_node,
template_parent_scope : instance_scope.get_scope(c).parentScope,
instance_scope : instance_scope,
};
return state;
}
/// Applies offset to indices pointing into copied area
/// Happens before name register
void post_clone(AstIndex nodeIndex, ref CloneState state)
{
CompilationContext* c = state.context;
AstNode* node = c.getAstNode(nodeIndex);
if (node.hasAttributes) {
post_clone_attributes(node.attributeInfo, state);
}
final switch(node.astType) with(AstType)
{
case error: c.internal_error(node.loc, "Visiting error node");
case abstract_node: c.internal_error(node.loc, "Visiting abstract node");
case decl_alias: post_clone_alias(cast(AliasDeclNode*)node, state); break;
case decl_alias_array: break;
case decl_builtin: break;
case decl_builtin_attribute: break;
case decl_module: assert(false);
case decl_package: assert(false);
case decl_import: post_clone_import(cast(ImportDeclNode*)node, state); break;
case decl_function: post_clone_func(cast(FunctionDeclNode*)node, state); break;
case decl_var: post_clone_var(cast(VariableDeclNode*)node, state); break;
case decl_struct: post_clone_struct(cast(StructDeclNode*)node, state); break;
case decl_enum: post_clone_enum(cast(EnumDeclaration*)node, state); break;
case decl_enum_member: post_clone_enum_member(cast(EnumMemberDecl*)node, state); break;
case decl_static_assert: post_clone_static_assert(cast(StaticAssertDeclNode*)node, state); break;
case decl_static_foreach: post_clone_static_foreach(cast(StaticForeachDeclNode*)node, state); break;
case decl_static_if: post_clone_static_if(cast(StaticIfDeclNode*)node, state); break;
case decl_static_version: post_clone_static_version(cast(StaticVersionDeclNode*)node, state); break;
case decl_template: post_clone_template(cast(TemplateDeclNode*)node, state); break;
case decl_template_param: break;
case stmt_block: post_clone_block(cast(BlockStmtNode*)node, state); break;
case stmt_if: post_clone_if(cast(IfStmtNode*)node, state); break;
case stmt_while: post_clone_while(cast(WhileStmtNode*)node, state); break;
case stmt_do_while: post_clone_do(cast(DoWhileStmtNode*)node, state); break;
case stmt_for: post_clone_for(cast(ForStmtNode*)node, state); break;
case stmt_switch: post_clone_switch(cast(SwitchStmtNode*)node, state); break;
case stmt_return: post_clone_return(cast(ReturnStmtNode*)node, state); break;
case stmt_break: break;
case stmt_continue: break;
case expr_name_use: post_clone_name_use(cast(NameUseExprNode*)node, state); break;
case expr_member: post_clone_member(cast(MemberExprNode*)node, state); break;
case expr_bin_op: post_clone_binary_op(cast(BinaryExprNode*)node, state); break;
case expr_un_op: post_clone_unary_op(cast(UnaryExprNode*)node, state); break;
case expr_call: post_clone_call(cast(CallExprNode*)node, state); break;
case expr_named_argument: post_clone_named_argument(cast(NamedArgumenExprNode*)node, state); break;
case expr_index: post_clone_index(cast(IndexExprNode*)node, state); break;
case expr_slice: post_clone_expr_slice(cast(SliceExprNode*)node, state); break;
case expr_type_conv: post_clone_type_conv(cast(TypeConvExprNode*)node, state); break;
case literal_int: break;
case literal_float: break;
case literal_string: break;
case literal_null: break;
case literal_bool: break;
case literal_array: break;
case literal_special: break;
case type_basic: break;
case type_func_sig: post_clone_func_sig(cast(FunctionSignatureNode*)node, state); break;
case type_ptr: post_clone_ptr(cast(PtrTypeNode*)node, state); break;
case type_static_array: post_clone_static_array(cast(StaticArrayTypeNode*)node, state); break;
case type_slice: post_clone_slice(cast(SliceTypeNode*)node, state); break;
}
}
| D |
/++
$(H2 FGHJ Package)
Publicly imports $(SUBMODULE _fghj), $(SUBMODULE jsonparser), and $(SUBMODULE serialization).
Copyright: Tamedia Digital, 2016
Authors: Ilya Yaroshenko
License: MIT
Macros:
SUBMODULE = $(LINK2 fghj_$1.html, _fghj.$1)
SUBREF = $(LINK2 fghj_$1.html#.$2, $(TT $2))$(NBSP)
T2=$(TR $(TDNW $(LREF $1)) $(TD $+))
T4=$(TR $(TDNW $(LREF $1)) $(TD $2) $(TD $3) $(TD $4))
+/
module fghj;
public import fghj.fghj;
public import fghj.jsonparser;
public import fghj.serialization;
public import fghj.transform;
| D |
/Users/ch4r0n/Desktop/MacOSReserver/TryToHookSwift/SwiftTipWindows/DerivedData/Build/Intermediates.noindex/SwiftTipWindows.build/Debug/SwiftTipWindows.build/Objects-normal/x86_64/AppDelegate.o : /Users/ch4r0n/Desktop/MacOSReserver/TryToHookSwift/SwiftTipWindows/SwiftTipWindows/AppDelegate.swift /Users/ch4r0n/Desktop/MacOSReserver/TryToHookSwift/SwiftTipWindows/SwiftTipWindows/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/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/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/xpc/XPC.apinotes /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/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/AppKit.framework/Headers/AppKit.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/ch4r0n/Desktop/MacOSReserver/TryToHookSwift/SwiftTipWindows/DerivedData/Build/Intermediates.noindex/SwiftTipWindows.build/Debug/SwiftTipWindows.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/ch4r0n/Desktop/MacOSReserver/TryToHookSwift/SwiftTipWindows/SwiftTipWindows/AppDelegate.swift /Users/ch4r0n/Desktop/MacOSReserver/TryToHookSwift/SwiftTipWindows/SwiftTipWindows/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/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/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/xpc/XPC.apinotes /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/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/AppKit.framework/Headers/AppKit.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/ch4r0n/Desktop/MacOSReserver/TryToHookSwift/SwiftTipWindows/DerivedData/Build/Intermediates.noindex/SwiftTipWindows.build/Debug/SwiftTipWindows.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/ch4r0n/Desktop/MacOSReserver/TryToHookSwift/SwiftTipWindows/SwiftTipWindows/AppDelegate.swift /Users/ch4r0n/Desktop/MacOSReserver/TryToHookSwift/SwiftTipWindows/SwiftTipWindows/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/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/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/xpc/XPC.apinotes /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/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/AppKit.framework/Headers/AppKit.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 UnrealScript.TribesGame.TrProj_MotionSensor;
import ScriptClasses;
import UnrealScript.Helpers;
import UnrealScript.TribesGame.TrProj_Mine;
extern(C++) interface TrProj_MotionSensor : TrProj_Mine
{
public extern(D):
private static __gshared ScriptClass mStaticClass;
@property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.TrProj_MotionSensor")); }
private static __gshared TrProj_MotionSensor mDefaultProperties;
@property final static TrProj_MotionSensor DefaultProperties() { mixin(MGDPC("TrProj_MotionSensor", "TrProj_MotionSensor TribesGame.Default__TrProj_MotionSensor")); }
static struct Functions
{
private static __gshared
{
ScriptFunction mExplode;
ScriptFunction mDetonateObsolete;
}
public @property static final
{
ScriptFunction Explode() { mixin(MGF("mExplode", "Function TribesGame.TrProj_MotionSensor.Explode")); }
ScriptFunction DetonateObsolete() { mixin(MGF("mDetonateObsolete", "Function TribesGame.TrProj_MotionSensor.DetonateObsolete")); }
}
}
final:
void Explode(Vector HitLocation, Vector HitNormal)
{
ubyte params[24];
params[] = 0;
*cast(Vector*)params.ptr = HitLocation;
*cast(Vector*)¶ms[12] = HitNormal;
(cast(ScriptObject)this).ProcessEvent(Functions.Explode, params.ptr, cast(void*)0);
}
void DetonateObsolete(bool* bDetonateFromDamage = null)
{
ubyte params[4];
params[] = 0;
if (bDetonateFromDamage !is null)
*cast(bool*)params.ptr = *bDetonateFromDamage;
(cast(ScriptObject)this).ProcessEvent(Functions.DetonateObsolete, params.ptr, cast(void*)0);
}
}
| D |
import basic;
import raylib;
struct vec2{
Vector2 payload; alias payload this;
this(int x,int y){
payload = Vector2(x.to!float,y.to!float);}
bool isbullshit(){
import std.math;
return payload.x.isNaN;}
} | D |
/Users/lb/Documents/Project/LearnVapor/.build/x86_64-apple-macosx10.10/debug/URLEncodedForm.build/Data/URLEncodedFormSerializer.swift.o : /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormData.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormDataConvertible.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Codable/URLEncodedFormDecoder.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Codable/URLEncodedFormEncoder.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormParser.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormSerializer.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Utilities/URLEncodedFormError.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Utilities/Exports.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/Core.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/URLEncodedForm.build/URLEncodedFormSerializer~partial.swiftmodule : /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormData.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormDataConvertible.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Codable/URLEncodedFormDecoder.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Codable/URLEncodedFormEncoder.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormParser.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormSerializer.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Utilities/URLEncodedFormError.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Utilities/Exports.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/Core.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/URLEncodedForm.build/URLEncodedFormSerializer~partial.swiftdoc : /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormData.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormDataConvertible.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Codable/URLEncodedFormDecoder.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Codable/URLEncodedFormEncoder.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormParser.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Data/URLEncodedFormSerializer.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Utilities/URLEncodedFormError.swift /Users/lb/Documents/Project/LearnVapor/.build/checkouts/url-encoded-form.git--7962792991753699495/Sources/URLEncodedForm/Utilities/Exports.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/Core.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 |
module android.java.android.app.SearchManager_OnDismissListener;
public import android.java.android.app.SearchManager_OnDismissListener_d_interface;
import arsd.jni : ImportExportImpl;
mixin ImportExportImpl!SearchManager_OnDismissListener;
import import0 = android.java.java.lang.Class;
| D |
instance DIA_Maria_EXIT(C_Info)
{
npc = BAU_910_Maria;
nr = 999;
condition = DIA_Maria_EXIT_Condition;
information = DIA_Maria_EXIT_Info;
permanent = TRUE;
description = Dialog_Ende;
};
func int DIA_Maria_EXIT_Condition()
{
return TRUE;
};
func void DIA_Maria_EXIT_Info()
{
AI_StopProcessInfos(self);
};
instance DIA_Maria_Hallo(C_Info)
{
npc = BAU_910_Maria;
nr = 1;
condition = DIA_Maria_Hallo_Condition;
information = DIA_Maria_Hallo_Info;
permanent = FALSE;
description = "Кто ты?";
};
func int DIA_Maria_Hallo_Condition()
{
return TRUE;
};
func void DIA_Maria_Hallo_Info()
{
AI_Output(other,self,"DIA_Maria_Hallo_15_00"); //Кто ты?
AI_Output(self,other,"DIA_Maria_Hallo_17_01"); //Я жена Онара, Мария.
AI_Output(self,other,"DIA_Maria_Hallo_17_02"); //Что тебе здесь нужно?
};
instance DIA_Maria_Umsehen(C_Info)
{
npc = BAU_910_Maria;
nr = 2;
condition = DIA_Maria_Umsehen_Condition;
information = DIA_Maria_Umsehen_Info;
permanent = FALSE;
description = "Я просто хотел посмотреть, как вы живете...";
};
func int DIA_Maria_Umsehen_Condition()
{
if(Npc_KnowsInfo(other,DIA_Maria_Hallo))
{
return TRUE;
};
};
func void DIA_Maria_Umsehen_Info()
{
AI_Output(other,self,"DIA_Maria_Umsehen_15_00"); //Я просто хотел посмотреть, как вы живете...
AI_Output(self,other,"DIA_Maria_Umsehen_17_01"); //Когда столько людей живет на ферме, даже в доме покоя не найдешь!
AI_Output(self,other,"DIA_Maria_Umsehen_17_02"); //Они так и лезут сюда.
};
instance DIA_Maria_Soeldner(C_Info)
{
npc = BAU_910_Maria;
nr = 3;
condition = DIA_Maria_Soeldner_Condition;
information = DIA_Maria_Soeldner_Info;
permanent = FALSE;
description = "Тебя беспокоят наемники?";
};
func int DIA_Maria_Soeldner_Condition()
{
if(Npc_KnowsInfo(other,DIA_Maria_Umsehen))
{
return TRUE;
};
};
func void DIA_Maria_Soeldner_Info()
{
AI_Output(other,self,"DIA_Maria_Soeldner_15_00"); //Тебя беспокоят наемники?
if((hero.guild == GIL_SLD) || (hero.guild == GIL_DJG))
{
AI_Output(self,other,"DIA_Maria_Soeldner_17_01"); //Ох, забудь о том, что я только что сказала - с тех пор, как вы здесь, жить здесь стало значительно безопаснее.
}
else
{
AI_Output(self,other,"DIA_Maria_Soeldner_17_02"); //Ох. Ну, зато с тех пор, как пришли наемники, хотя бы на ферме стало безопаснее.
};
AI_Output(self,other,"DIA_Maria_Soeldner_17_03"); //Когда мы были еще сами по себе, сюда постоянно приходили стражники из города и грабили нас.
AI_Output(self,other,"DIA_Maria_Soeldner_17_04"); //Они забирали большую часть урожая. И овец тоже. И ничего не давали нам взамен.
AI_Output(self,other,"DIA_Maria_Soeldner_17_05"); //Некоторые из них даже воровали, что плохо лежит.
if(hero.guild == GIL_MIL)
{
AI_Output(self,other,"DIA_Maria_Soeldner_17_06"); //Только не пойми меня неверно, солдат. Я знаю, что не все вы такие.
};
};
instance DIA_Maria_Mission(C_Info)
{
npc = BAU_910_Maria;
nr = 4;
condition = DIA_Maria_Mission_Condition;
information = DIA_Maria_Mission_Info;
permanent = FALSE;
description = "А что они украли у тебя?";
};
func int DIA_Maria_Mission_Condition()
{
if(Npc_KnowsInfo(other,DIA_Maria_Soeldner) && (MIS_Maria_BringPlate != LOG_SUCCESS))
{
return TRUE;
};
};
func void DIA_Maria_Mission_Info()
{
AI_Output(other,self,"DIA_Maria_Mission_15_00"); //А что они украли у тебя?
AI_Output(self,other,"DIA_Maria_Mission_17_01"); //В основном золото и серебро. Они даже забрали мой свадебный подарок. Золотую тарелку.
if(other.guild != GIL_MIL)
{
AI_Output(self,other,"DIA_Maria_Mission_17_02"); //Ручаюсь, она сейчас пылится в сундуке у какого-нибудь городского стражника.
};
MIS_Maria_BringPlate = LOG_Running;
};
instance DIA_Maria_BringPlate(C_Info)
{
npc = BAU_910_Maria;
nr = 5;
condition = DIA_Maria_BringPlate_Condition;
information = DIA_Maria_BringPlate_Info;
permanent = FALSE;
description = "Я принес золотую тарелку. Это не твоя?";
};
func int DIA_Maria_BringPlate_Condition()
{
if(Npc_KnowsInfo(other,DIA_Maria_Hallo) && Npc_HasItems(other,ItMi_MariasGoldPlate))
{
return TRUE;
};
};
func void DIA_Maria_BringPlate_Info()
{
B_GiveInvItems(other,self,ItMi_MariasGoldPlate,1);
AI_Output(other,self,"DIA_Maria_BringPlate_15_00"); //Я принес золотую тарелку. Это не твоя?
AI_Output(self,other,"DIA_Maria_BringPlate_17_01"); //Да! Это она! Огромное тебе спасибо!
MIS_Maria_BringPlate = LOG_SUCCESS;
B_GivePlayerXP(XP_Maria_Teller);
};
var int Maria_Belohnung;
instance DIA_Maria_Belohnung(C_Info)
{
npc = BAU_910_Maria;
nr = 6;
condition = DIA_Maria_Belohnung_Condition;
information = DIA_Maria_Belohnung_Info;
permanent = TRUE;
description = "А как насчет моего вознаграждения?";
};
func int DIA_Maria_Belohnung_Condition()
{
if((MIS_Maria_BringPlate == LOG_SUCCESS) && (Maria_Belohnung == FALSE))
{
return TRUE;
};
};
func void DIA_Maria_Belohnung_Info()
{
AI_Output(other,self,"DIA_Maria_Belohnung_15_00"); //А как насчет моего вознаграждения?
if(other.guild == GIL_SLD)
{
AI_Output(self,other,"DIA_Maria_Belohnung_17_01"); //Ты работаешь наемником на моего мужа, да?
AI_Output(other,self,"DIA_Maria_Belohnung_15_02"); //Точно.
AI_Output(self,other,"DIA_Maria_Belohnung_17_03"); //Сколько мой муж платит тебе?
if(Npc_KnowsInfo(other,DIA_Onar_HowMuch))
{
if(SOLD == 50)
{
AI_Output(other,self,"DIA_Lehmar_GELDLEIHEN_50_15_00"); //50 золотых.
}
else if(SOLD == 40)
{
AI_Output(other,self,"DIA_Maria_Belohnung_15_03_40"); //40 золотых.
}
else if(SOLD == 30)
{
AI_Output(other,self,"DIA_Maria_Belohnung_15_03_30"); //30 золотых.
}
else if(SOLD == 20)
{
AI_Output(other,self,"DIA_Rukhar_RANDOLPHWILL_20_15_00"); //20.
}
else if(SOLD == 10)
{
AI_Output(other,self,"DIA_Rukhar_RANDOLPHWILL_10_15_00"); //10 золотых.
}
else if(SOLD < 10)
{
AI_Output(other,self,"DIA_Moe_Hallo_Zahlen_15_04"); //... но у меня нет даже и 10 монет.
};
AI_Output(self,other,"DIA_Maria_Belohnung_17_04"); //Этого недостаточно. Иди к нему и скажи, чтобы он платил тебе больше.
AI_Output(other,self,"DIA_Maria_Belohnung_15_05"); //Ты думаешь, он послушает?
AI_Output(self,other,"DIA_Maria_Belohnung_17_06"); //Он знает, что будет, если не послушает. Поверь мне.
Maria_MehrGold = TRUE;
Maria_Belohnung = TRUE;
}
else
{
AI_Output(other,self,"DIA_Hanna_Add_15_43"); //Ну...
AI_Output(self,other,"DIA_Maria_Belohnung_SOLD_17_02"); //Зайди ко мне, когда обсудишь размер жалования с моим мужем.
};
}
else if(other.guild == GIL_NONE)
{
AI_Output(self,other,"DIA_Maria_Belohnung_17_07"); //Ты хочешь стать наемником на этой ферме?
Info_ClearChoices(DIA_Maria_Belohnung);
Info_AddChoice(DIA_Maria_Belohnung,"Вообще-то нет.",DIA_Maria_Belohnung_Gold);
Info_AddChoice(DIA_Maria_Belohnung,"Да.",DIA_Maria_Belohnung_SOLD);
}
else
{
AI_Output(self,other,"DIA_Maria_Belohnung_17_08"); //Вот, возьми это. Ты заслужил.
B_GiveInvItems(self,other,ItMi_Gold,50);
Maria_Belohnung = TRUE;
};
};
func void DIA_Maria_Belohnung_Gold()
{
AI_Output(other,self,"DIA_Maria_Belohnung_Gold_15_00"); //Вообще-то нет.
AI_Output(self,other,"DIA_Maria_Belohnung_Gold_17_01"); //Тогда возьми это золото в качестве награды. Ты заслужил его.
B_GiveInvItems(self,other,ItMi_Gold,50);
Maria_Belohnung = TRUE;
Info_ClearChoices(DIA_Maria_Belohnung);
};
func void DIA_Maria_Belohnung_SOLD()
{
AI_Output(other,self,"DIA_Maria_Belohnung_SOLD_15_00"); //Да.
AI_Output(self,other,"DIA_Maria_Belohnung_SOLD_17_01"); //Хорошо, если ты будешь работать здесь, я прослежу, чтобы ты получал хорошее жалование.
if(!Npc_KnowsInfo(other,DIA_Onar_HowMuch))
{
AI_Output(self,other,"DIA_Maria_Belohnung_SOLD_17_02"); //Зайди ко мне, когда обсудишь размер жалования с моим мужем.
};
Info_ClearChoices(DIA_Maria_Belohnung);
};
instance DIA_Maria_AboutOnar(C_Info)
{
npc = BAU_910_Maria;
nr = 7;
condition = DIA_Maria_AboutOnar_Condition;
information = DIA_Maria_AboutOnar_Info;
permanent = FALSE;
description = "Расскажи мне об Онаре.";
};
func int DIA_Maria_AboutOnar_Condition()
{
if(Npc_KnowsInfo(other,DIA_Maria_Hallo))
{
return TRUE;
};
};
func void DIA_Maria_AboutOnar_Info()
{
AI_Output(other,self,"DIA_Maria_AboutOnar_15_00"); //Расскажи мне об Онаре.
AI_Output(self,other,"DIA_Maria_AboutOnar_17_01"); //Он хороший человек. Немного сварливый и очень раздражительный, но у нас у всех есть свои недостатки.
AI_Output(self,other,"DIA_Maria_AboutOnar_17_02"); //Я спросила своего мужа: 'Почему ты позволяешь солдатам из города так обращаться с собой'?
AI_Output(self,other,"DIA_Maria_AboutOnar_17_03"); //'Сделай же что-нибудь', - сказала я.
AI_Output(self,other,"DIA_Maria_AboutOnar_17_04"); //И он нанял наемников. И теперь мне кажется, что мы ведем войну.
AI_Output(self,other,"DIA_Maria_AboutOnar_17_05"); //Но, если подумать, мы ведь действительно воюем, разве нет?
};
instance DIA_Maria_PERM(C_Info)
{
npc = BAU_910_Maria;
nr = 8;
condition = DIA_Maria_PERM_Condition;
information = DIA_Maria_PERM_Info;
permanent = FALSE;
description = "Что интересного было в последнее время?";
};
func int DIA_Maria_PERM_Condition()
{
if(Npc_KnowsInfo(other,DIA_Maria_Hallo))
{
return TRUE;
};
};
func void DIA_Maria_PERM_Info()
{
AI_Output(other,self,"DIA_Maria_PERM_15_00"); //Что интересного было в последнее время?
if(Kapitel <= 2)
{
AI_Output(self,other,"DIA_Maria_PERM_17_01"); //Мимо прошли паладины.
AI_Output(self,other,"DIA_Maria_PERM_17_02"); //Сначала мы подумали, что они собираются напасть на нашу ферму, но они прошли мимо, в Долину Рудников.
};
if(Kapitel == 3)
{
AI_Output(self,other,"DIA_Maria_PERM_17_03"); //Василий поймал вора несколько дней назад. А кроме этого, все спокойно.
};
if(Kapitel >= 4)
{
AI_Output(self,other,"DIA_Maria_PERM_17_04"); //С тех пор, как часть наемников ушла отсюда, стало значительно спокойнее.
};
};
instance DIA_Maria_PICKPOCKET(C_Info)
{
npc = BAU_910_Maria;
nr = 900;
condition = DIA_Maria_PICKPOCKET_Condition;
information = DIA_Maria_PICKPOCKET_Info;
permanent = TRUE;
description = Pickpocket_60_Female;
};
func int DIA_Maria_PICKPOCKET_Condition()
{
return C_Beklauen(60,110);
};
func void DIA_Maria_PICKPOCKET_Info()
{
Info_ClearChoices(DIA_Maria_PICKPOCKET);
Info_AddChoice(DIA_Maria_PICKPOCKET,Dialog_Back,DIA_Maria_PICKPOCKET_BACK);
Info_AddChoice(DIA_Maria_PICKPOCKET,DIALOG_PICKPOCKET,DIA_Maria_PICKPOCKET_DoIt);
};
func void DIA_Maria_PICKPOCKET_DoIt()
{
B_Beklauen();
Info_ClearChoices(DIA_Maria_PICKPOCKET);
};
func void DIA_Maria_PICKPOCKET_BACK()
{
Info_ClearChoices(DIA_Maria_PICKPOCKET);
};
| D |
/Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/Build/Intermediates.noindex/DispatchSourceTimerSwiftUIReloadBug.build/Debug-iphonesimulator/DispatchSourceTimerSwiftUIReloadBug.build/Objects-normal/x86_64/TimerView.o : /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/SceneDelegate.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/AppDelegate.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/TimerManager.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/TimerView.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/LaunchTimerView.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/ContentView.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/os.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/SwiftUI.framework/Modules/SwiftUI.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.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/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.1.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/SwiftUI.framework/Headers/SwiftUI.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/stab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/ranlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/reloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/dyld.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/trace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStoreCacheNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStoreNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/trace_base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSCoreDataCoreSpotlightDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/compact_unwind_encoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/log.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/arch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMappingModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSQueryGenerationToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequestExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSDerivedAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSExpressionDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSRelationshipDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexElementDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/swap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/loader.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMigrationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedResultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/dyld_images.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/OSOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/ldsyms.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainerOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/fat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/getsect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChangeRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchUpdateRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchDeleteRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSSaveChangesRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchInsertRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/nlist.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMergePolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMigrationPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/activity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/CommonCrypto/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/SwiftUI.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.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.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.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.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/Build/Intermediates.noindex/DispatchSourceTimerSwiftUIReloadBug.build/Debug-iphonesimulator/DispatchSourceTimerSwiftUIReloadBug.build/Objects-normal/x86_64/TimerView~partial.swiftmodule : /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/SceneDelegate.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/AppDelegate.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/TimerManager.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/TimerView.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/LaunchTimerView.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/ContentView.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/os.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/SwiftUI.framework/Modules/SwiftUI.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.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/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.1.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/SwiftUI.framework/Headers/SwiftUI.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/stab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/ranlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/reloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/dyld.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/trace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStoreCacheNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStoreNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/trace_base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSCoreDataCoreSpotlightDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/compact_unwind_encoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/log.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/arch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMappingModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSQueryGenerationToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequestExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSDerivedAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSExpressionDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSRelationshipDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexElementDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/swap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/loader.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMigrationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedResultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/dyld_images.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/OSOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/ldsyms.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainerOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/fat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/getsect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChangeRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchUpdateRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchDeleteRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSSaveChangesRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchInsertRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/nlist.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMergePolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMigrationPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/activity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/CommonCrypto/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/SwiftUI.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.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.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.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.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/Build/Intermediates.noindex/DispatchSourceTimerSwiftUIReloadBug.build/Debug-iphonesimulator/DispatchSourceTimerSwiftUIReloadBug.build/Objects-normal/x86_64/TimerView~partial.swiftdoc : /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/SceneDelegate.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/AppDelegate.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/TimerManager.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/TimerView.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/LaunchTimerView.swift /Users/Dominik/Documents/Programmieren/Xcode\ Projects/DispatchSourceTimerSwiftUIReloadBug/DispatchSourceTimerSwiftUIReloadBug/ContentView.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/os.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/SwiftUI.framework/Modules/SwiftUI.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.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/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.1.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/SwiftUI.framework/Headers/SwiftUI.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/stab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/ranlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/reloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/dyld.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/trace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStoreCacheNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStoreNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/trace_base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSCoreDataCoreSpotlightDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/compact_unwind_encoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/log.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/arch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMappingModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSQueryGenerationToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequestExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSDerivedAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSExpressionDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSRelationshipDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexElementDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/swap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/loader.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMigrationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedResultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/dyld_images.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/OSOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/ldsyms.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainerOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/fat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/getsect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChangeRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchUpdateRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchDeleteRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSSaveChangesRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchInsertRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/nlist.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMergePolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMigrationPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/os/activity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/CommonCrypto/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/SwiftUI.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.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.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.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.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
///
module nanogui.vscrollpanel;
/*
nanogui/vscrollpanel.h -- Adds a vertical scrollbar around a widget
that is too big to fit into a certain area
NanoGUI was developed by Wenzel Jakob <wenzel.jakob@epfl.ch>.
The widget drawing code is based on the NanoVG demo application
by Mikko Mononen.
All rights reserved. Use of this source code is governed by a
BSD-style license that can be found in the LICENSE.txt file.
*/
import std.algorithm : min, max;
import nanogui.widget;
import nanogui.common : MouseButton, Vector2f, Vector2i, NanoContext;
/**
* Adds a vertical scrollbar around a widget that is too big to fit into
* a certain area.
*/
class VScrollPanel : Widget {
public:
this(Widget parent)
{
super(parent);
mChildPreferredHeight = 0;
mScroll = 0.0f;
mUpdateLayout = false;
}
/// Return the current scroll amount as a value between 0 and 1. 0 means scrolled to the top and 1 to the bottom.
float scroll() const { return mScroll; }
/// Set the scroll amount to a value between 0 and 1. 0 means scrolled to the top and 1 to the bottom.
void setScroll(float scroll) { mScroll = scroll; }
override void performLayout(NanoContext ctx)
{
super.performLayout(ctx);
if (mChildren.empty)
return;
if (mChildren.length > 1)
throw new Exception("VScrollPanel should have one child.");
Widget child = mChildren[0];
mChildPreferredHeight = child.preferredSize(ctx).y;
if (mChildPreferredHeight > mSize.y)
{
auto y = cast(int) (-mScroll*(mChildPreferredHeight - mSize.y));
child.position(Vector2i(0, y));
child.size(Vector2i(mSize.x-12, mChildPreferredHeight));
}
else
{
child.position(Vector2i(0, 0));
child.size(mSize);
mScroll = 0;
}
child.performLayout(ctx);
}
override Vector2i preferredSize(NanoContext ctx) const
{
if (mChildren.empty)
return Vector2i(0, 0);
return mChildren[0].preferredSize(ctx) + Vector2i(12, 0);
}
override bool mouseDragEvent(Vector2i p, Vector2i rel, MouseButton button, int modifiers)
{
if (!mChildren.empty && mChildPreferredHeight > mSize.y) {
float scrollh = height *
min(1.0f, height / cast(float)mChildPreferredHeight);
mScroll = max(cast(float) 0.0f, min(cast(float) 1.0f,
mScroll + rel.y / cast(float)(mSize.y - 8 - scrollh)));
mUpdateLayout = true;
return true;
} else {
return super.mouseDragEvent(p, rel, button, modifiers);
}
}
override bool scrollEvent(Vector2i p, Vector2f rel)
{
if (!mChildren.empty && mChildPreferredHeight > mSize.y)
{
const scrollAmount = rel.y * (mSize.y / 20.0f);
float scrollh = height *
min(1.0f, height / cast(float)mChildPreferredHeight);
mScroll = max(cast(float) 0.0f, min(cast(float) 1.0f,
mScroll - scrollAmount / cast(float)(mSize.y - 8 - scrollh)));
mUpdateLayout = true;
return true;
} else {
return super.scrollEvent(p, rel);
}
}
override void draw(ref NanoContext ctx)
{
if (mChildren.empty)
return;
Widget child = mChildren[0];
auto y = cast(int) (-mScroll*(mChildPreferredHeight - mSize.y));
child.position(Vector2i(0, y));
mChildPreferredHeight = child.preferredSize(ctx).y;
float scrollh = height *
min(1.0f, height / cast(float) mChildPreferredHeight);
if (mUpdateLayout)
child.performLayout(ctx);
ctx.save;
ctx.translate(mPos.x, mPos.y);
ctx.intersectScissor(0, 0, mSize.x, mSize.y);
if (child.visible)
child.draw(ctx);
ctx.restore;
if (mChildPreferredHeight <= mSize.y)
return;
NVGPaint paint = ctx.boxGradient(
mPos.x + mSize.x - 12 + 1, mPos.y + 4 + 1, 8,
mSize.y - 8, 3, 4, Color(0, 0, 0, 32), Color(0, 0, 0, 92));
ctx.beginPath;
ctx.roundedRect(mPos.x + mSize.x - 12, mPos.y + 4, 8,
mSize.y - 8, 3);
ctx.fillPaint(paint);
ctx.fill;
paint = ctx.boxGradient(
mPos.x + mSize.x - 12 - 1,
mPos.y + 4 + (mSize.y - 8 - scrollh) * mScroll - 1, 8, scrollh,
3, 4, Color(220, 220, 220, 100), Color(128, 128, 128, 100));
ctx.beginPath;
ctx.roundedRect(mPos.x + mSize.x - 12 + 1,
mPos.y + 4 + 1 + (mSize.y - 8 - scrollh) * mScroll, 8 - 2,
scrollh - 2, 2);
ctx.fillPaint(paint);
ctx.fill;
}
// override void save(Serializer &s) const;
// override bool load(Serializer &s);
protected:
int mChildPreferredHeight;
float mScroll;
bool mUpdateLayout;
}
| D |
module android.java.android.content.Loader;
public import android.java.android.content.Loader_d_interface;
import arsd.jni : ImportExportImpl;
mixin ImportExportImpl!Loader;
import import5 = android.java.java.lang.Class;
| D |
/Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/MVP.build/Debug-iphonesimulator/MVP.build/Objects-normal/x86_64/BaseURL.o : /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/HomeVC.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/LoginVC.swift /Users/hanykaram/Desktop/MVP/MVP/Model/Network/BaseURL.swift /Users/hanykaram/Desktop/MVP/MVP/StoaryBoard.swift /Users/hanykaram/Desktop/MVP/MVP/SceneDelegate.swift /Users/hanykaram/Desktop/MVP/MVP/AppDelegate.swift /Users/hanykaram/Desktop/MVP/MVP/Model/LoginModel.swift /Users/hanykaram/Desktop/MVP/MVP/Model/ProductModel.swift /Users/hanykaram/Desktop/MVP/MVP/View/CustomeView/HomeTableViewCell.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/Exstestion.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/Extenstion.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/CutsomeButton.swift /Users/hanykaram/Desktop/MVP/MVP/Model/Network/NetworkManager.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/HomePresnter.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/LoginPresnter.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/ActivityIndector.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/CustomeView.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/CoreData.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Modules/PKHUD.swiftmodule/x86_64-apple-ios-simulator.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/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/Kingfisher.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Modules/NVActivityIndicatorView.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Headers/NVActivityIndicatorView-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Headers/NVActivityIndicatorView-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Modules/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/CoreData.framework/Headers/CoreData.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/MVP.build/Debug-iphonesimulator/MVP.build/Objects-normal/x86_64/BaseURL~partial.swiftmodule : /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/HomeVC.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/LoginVC.swift /Users/hanykaram/Desktop/MVP/MVP/Model/Network/BaseURL.swift /Users/hanykaram/Desktop/MVP/MVP/StoaryBoard.swift /Users/hanykaram/Desktop/MVP/MVP/SceneDelegate.swift /Users/hanykaram/Desktop/MVP/MVP/AppDelegate.swift /Users/hanykaram/Desktop/MVP/MVP/Model/LoginModel.swift /Users/hanykaram/Desktop/MVP/MVP/Model/ProductModel.swift /Users/hanykaram/Desktop/MVP/MVP/View/CustomeView/HomeTableViewCell.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/Exstestion.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/Extenstion.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/CutsomeButton.swift /Users/hanykaram/Desktop/MVP/MVP/Model/Network/NetworkManager.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/HomePresnter.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/LoginPresnter.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/ActivityIndector.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/CustomeView.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/CoreData.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Modules/PKHUD.swiftmodule/x86_64-apple-ios-simulator.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/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/Kingfisher.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Modules/NVActivityIndicatorView.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Headers/NVActivityIndicatorView-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Headers/NVActivityIndicatorView-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Modules/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/CoreData.framework/Headers/CoreData.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/MVP.build/Debug-iphonesimulator/MVP.build/Objects-normal/x86_64/BaseURL~partial.swiftdoc : /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/HomeVC.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/LoginVC.swift /Users/hanykaram/Desktop/MVP/MVP/Model/Network/BaseURL.swift /Users/hanykaram/Desktop/MVP/MVP/StoaryBoard.swift /Users/hanykaram/Desktop/MVP/MVP/SceneDelegate.swift /Users/hanykaram/Desktop/MVP/MVP/AppDelegate.swift /Users/hanykaram/Desktop/MVP/MVP/Model/LoginModel.swift /Users/hanykaram/Desktop/MVP/MVP/Model/ProductModel.swift /Users/hanykaram/Desktop/MVP/MVP/View/CustomeView/HomeTableViewCell.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/Exstestion.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/Extenstion.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/CutsomeButton.swift /Users/hanykaram/Desktop/MVP/MVP/Model/Network/NetworkManager.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/HomePresnter.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/LoginPresnter.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/ActivityIndector.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/CustomeView.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/CoreData.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Modules/PKHUD.swiftmodule/x86_64-apple-ios-simulator.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/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/Kingfisher.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Modules/NVActivityIndicatorView.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Headers/NVActivityIndicatorView-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Headers/NVActivityIndicatorView-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Modules/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/CoreData.framework/Headers/CoreData.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/MVP.build/Debug-iphonesimulator/MVP.build/Objects-normal/x86_64/BaseURL~partial.swiftsourceinfo : /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/HomeVC.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/LoginVC.swift /Users/hanykaram/Desktop/MVP/MVP/Model/Network/BaseURL.swift /Users/hanykaram/Desktop/MVP/MVP/StoaryBoard.swift /Users/hanykaram/Desktop/MVP/MVP/SceneDelegate.swift /Users/hanykaram/Desktop/MVP/MVP/AppDelegate.swift /Users/hanykaram/Desktop/MVP/MVP/Model/LoginModel.swift /Users/hanykaram/Desktop/MVP/MVP/Model/ProductModel.swift /Users/hanykaram/Desktop/MVP/MVP/View/CustomeView/HomeTableViewCell.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/Exstestion.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/Extenstion.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/CutsomeButton.swift /Users/hanykaram/Desktop/MVP/MVP/Model/Network/NetworkManager.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Home/HomePresnter.swift /Users/hanykaram/Desktop/MVP/MVP/Controller/Login/LoginPresnter.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/ActivityIndector.swift /Users/hanykaram/Desktop/MVP/MVP/Custome\ +\ Extenstion/CustomeView.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/CoreData.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Modules/PKHUD.swiftmodule/x86_64-apple-ios-simulator.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/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/Kingfisher.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Modules/NVActivityIndicatorView.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Headers/NVActivityIndicatorView-umbrella.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Headers/PKHUD-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Headers/NVActivityIndicatorView-Swift.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/PKHUD/PKHUD.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/module.modulemap /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Products/Debug-iphonesimulator/NVActivityIndicatorView/NVActivityIndicatorView.framework/Modules/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/CoreData.framework/Headers/CoreData.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
const int NPC_MINIMAL_DAMAGE = 5;
| D |
/**
Generator for project files
Copyright: © 2012-2013 Matthias Dondorff, © 2013-2016 Sönke Ludwig
License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file.
Authors: Matthias Dondorff
*/
module dub.generators.generator;
import dub.compilers.compiler;
import dub.generators.cmake;
import dub.generators.build;
import dub.generators.sublimetext;
import dub.generators.visuald;
import dub.internal.vibecompat.core.file;
import dub.internal.vibecompat.core.log;
import dub.internal.vibecompat.inet.path;
import dub.package_;
import dub.packagemanager;
import dub.project;
import std.algorithm : map, filter, canFind, balancedParens;
import std.array : array;
import std.array;
import std.exception;
import std.file;
import std.string;
/**
Common interface for project generators/builders.
*/
class ProjectGenerator
{
/** Information about a single binary target.
A binary target can either be an executable or a static/dynamic library.
It consists of one or more packages.
*/
struct TargetInfo {
/// The root package of this target
Package pack;
/// All packages compiled into this target
Package[] packages;
/// The configuration used for building the root package
string config;
/** Build settings used to build the target.
The build settings include all sources of all contained packages.
Depending on the specific generator implementation, it may be
necessary to add any static or dynamic libraries generated for
child targets ($(D linkDependencies)).
*/
BuildSettings buildSettings;
/** List of all dependencies.
This list includes dependencies that are not the root of a binary
target.
*/
string[] dependencies;
/** List of all binary dependencies.
This list includes all dependencies that are the root of a binary
target.
*/
string[] linkDependencies;
}
protected {
Project m_project;
NativePath m_tempTargetExecutablePath;
}
this(Project project)
{
m_project = project;
}
/** Performs the full generator process.
*/
final void generate(GeneratorSettings settings)
{
import dub.compilers.utils : enforceBuildRequirements;
if (!settings.config.length) settings.config = m_project.getDefaultConfiguration(settings.platform);
string[string] configs = m_project.getPackageConfigs(settings.platform, settings.config);
TargetInfo[string] targets;
foreach (pack; m_project.getTopologicalPackageList(true, null, configs)) {
BuildSettings buildSettings;
auto config = configs[pack.name];
buildSettings.processVars(m_project, pack, pack.getBuildSettings(settings.platform, config), settings, true);
targets[pack.name] = TargetInfo(pack, [pack], config, buildSettings);
prepareGeneration(pack, m_project, settings, buildSettings);
}
configurePackages(m_project.rootPackage, targets, settings);
addBuildTypeSettings(targets, settings);
foreach (ref t; targets.byValue) enforceBuildRequirements(t.buildSettings);
generateTargets(settings, targets);
foreach (pack; m_project.getTopologicalPackageList(true, null, configs)) {
BuildSettings buildsettings;
buildsettings.processVars(m_project, pack, pack.getBuildSettings(settings.platform, configs[pack.name]), settings, true);
bool generate_binary = !(buildsettings.options & BuildOption.syntaxOnly);
auto bs = &targets[m_project.rootPackage.name].buildSettings;
auto targetPath = (m_tempTargetExecutablePath.empty) ? NativePath(bs.targetPath) : m_tempTargetExecutablePath;
finalizeGeneration(pack, m_project, settings, buildsettings, targetPath, generate_binary);
}
performPostGenerateActions(settings, targets);
}
/** Overridden in derived classes to implement the actual generator functionality.
The function should go through all targets recursively. The first target
(which is guaranteed to be there) is
$(D targets[m_project.rootPackage.name]). The recursive descent is then
done using the $(D TargetInfo.linkDependencies) list.
This method is also potentially responsible for running the pre and post
build commands, while pre and post generate commands are already taken
care of by the $(D generate) method.
Params:
settings = The generator settings used for this run
targets = A map from package name to TargetInfo that contains all
binary targets to be built.
*/
protected abstract void generateTargets(GeneratorSettings settings, in TargetInfo[string] targets);
/** Overridable method to be invoked after the generator process has finished.
An examples of functionality placed here is to run the application that
has just been built.
*/
protected void performPostGenerateActions(GeneratorSettings settings, in TargetInfo[string] targets) {}
/** Configure `rootPackage` and all of it's dependencies.
1. Merge versions, debugVersions, and inheritable build
settings from dependents to their dependencies.
2. Define version identifiers Have_dependency_xyz for all
direct dependencies of all packages.
3. Merge versions, debugVersions, and inheritable build settings from
dependencies to their dependents, so that importer and importee are ABI
compatible. This also transports all Have_dependency_xyz version
identifiers to `rootPackage`.
4. Filter unused versions and debugVersions from all targets. The
filters have previously been upwards inherited (3.) so that versions
used in a dependency are also applied to all dependents.
Note: The upwards inheritance is done at last so that siblings do not
influence each other, also see https://github.com/dlang/dub/pull/1128.
Note: Targets without output are integrated into their
dependents and removed from `targets`.
*/
private void configurePackages(Package rootPackage, TargetInfo[string] targets, GeneratorSettings genSettings)
{
import std.algorithm : remove, sort;
import std.range : repeat;
// 0. do shallow configuration (not including dependencies) of all packages
TargetType determineTargetType(const ref TargetInfo ti)
{
TargetType tt = ti.buildSettings.targetType;
if (ti.pack is rootPackage) {
if (tt == TargetType.autodetect || tt == TargetType.library) tt = TargetType.staticLibrary;
} else {
if (tt == TargetType.autodetect || tt == TargetType.library) tt = genSettings.combined ? TargetType.sourceLibrary : TargetType.staticLibrary;
else if (tt == TargetType.dynamicLibrary) {
logWarn("Dynamic libraries are not yet supported as dependencies - building as static library.");
tt = TargetType.staticLibrary;
}
}
if (tt != TargetType.none && tt != TargetType.sourceLibrary && ti.buildSettings.sourceFiles.empty) {
logWarn(`Configuration '%s' of package %s contains no source files. Please add {"targetType": "none"} to its package description to avoid building it.`,
ti.config, ti.pack.name);
tt = TargetType.none;
}
return tt;
}
string[] mainSourceFiles;
bool[string] hasOutput;
foreach (ref ti; targets.byValue)
{
auto bs = &ti.buildSettings;
// determine the actual target type
bs.targetType = determineTargetType(ti);
switch (bs.targetType)
{
case TargetType.none:
// ignore any build settings for targetType none (only dependencies will be processed)
*bs = BuildSettings.init;
bs.targetType = TargetType.none;
break;
case TargetType.executable:
break;
case TargetType.dynamicLibrary:
// set -fPIC for dynamic library builds
ti.buildSettings.addOptions(BuildOption.pic);
goto default;
default:
// remove any mainSourceFile from non-executable builds
if (bs.mainSourceFile.length) {
bs.sourceFiles = bs.sourceFiles.remove!(f => f == bs.mainSourceFile);
mainSourceFiles ~= bs.mainSourceFile;
}
break;
}
bool generatesBinary = bs.targetType != TargetType.sourceLibrary && bs.targetType != TargetType.none;
hasOutput[ti.pack.name] = generatesBinary || ti.pack is rootPackage;
}
// add main source files to root executable
{
auto bs = &targets[rootPackage.name].buildSettings;
if (bs.targetType == TargetType.executable) bs.addSourceFiles(mainSourceFiles);
}
if (genSettings.filterVersions)
foreach (ref ti; targets.byValue)
inferVersionFilters(ti);
// mark packages as visited (only used during upwards propagation)
void[0][Package] visited;
// collect all dependencies
void collectDependencies(Package pack, ref TargetInfo ti, TargetInfo[string] targets, size_t level = 0)
{
// use `visited` here as pkgs cannot depend on themselves
if (pack in visited)
return;
// transitive dependencies must be visited multiple times, see #1350
immutable transitive = !hasOutput[pack.name];
if (!transitive)
visited[pack] = typeof(visited[pack]).init;
auto bs = &ti.buildSettings;
if (hasOutput[pack.name])
logDebug("%sConfiguring target %s (%s %s %s)", ' '.repeat(2 * level), pack.name, bs.targetType, bs.targetPath, bs.targetName);
else
logDebug("%sConfiguring target without output %s", ' '.repeat(2 * level), pack.name);
// get specified dependencies, e.g. vibe-d ~0.8.1
auto deps = pack.getDependencies(targets[pack.name].config);
logDebug("deps: %s -> %(%s, %)", pack.name, deps.byKey);
foreach (depname; deps.keys.sort())
{
auto depspec = deps[depname];
// get selected package for that dependency, e.g. vibe-d 0.8.2-beta.2
auto deppack = m_project.getDependency(depname, depspec.optional);
if (deppack is null) continue; // optional and not selected
// if dependency has no output
if (!hasOutput[depname]) {
// add itself
ti.packages ~= deppack;
// and it's transitive dependencies to current target
collectDependencies(deppack, ti, targets, level + 1);
continue;
}
auto depti = &targets[depname];
const depbs = &depti.buildSettings;
if (depbs.targetType == TargetType.executable && ti.buildSettings.targetType != TargetType.none)
continue;
// add to (link) dependencies
ti.dependencies ~= depname;
ti.linkDependencies ~= depname;
// recurse
collectDependencies(deppack, *depti, targets, level + 1);
// also recursively add all link dependencies of static libraries
// preserve topological sorting of dependencies for correct link order
if (depbs.targetType == TargetType.staticLibrary)
ti.linkDependencies = ti.linkDependencies.filter!(d => !depti.linkDependencies.canFind(d)).array ~ depti.linkDependencies;
}
enforce(!(ti.buildSettings.targetType == TargetType.none && ti.dependencies.empty),
"Package with target type \"none\" must have dependencies to build.");
}
collectDependencies(rootPackage, targets[rootPackage.name], targets);
static if (__VERSION__ > 2070)
visited.clear();
else
destroy(visited);
// 1. downwards inherits versions, debugVersions, and inheritable build settings
static void configureDependencies(in ref TargetInfo ti, TargetInfo[string] targets, size_t level = 0)
{
// do not use `visited` here as dependencies must inherit
// configurations from *all* of their parents
logDebug("%sConfigure dependencies of %s, deps:%(%s, %)", ' '.repeat(2 * level), ti.pack.name, ti.dependencies);
foreach (depname; ti.dependencies)
{
auto pti = &targets[depname];
mergeFromDependent(ti.buildSettings, pti.buildSettings);
configureDependencies(*pti, targets, level + 1);
}
}
configureDependencies(targets[rootPackage.name], targets);
// 2. add Have_dependency_xyz for all direct dependencies of a target
// (includes incorporated non-target dependencies and their dependencies)
foreach (ref ti; targets.byValue)
{
import std.range : chain;
import dub.internal.utils : stripDlangSpecialChars;
auto bs = &ti.buildSettings;
auto pkgnames = ti.packages.map!(p => p.name).chain(ti.dependencies);
bs.addVersions(pkgnames.map!(pn => "Have_" ~ stripDlangSpecialChars(pn)).array);
}
// 3. upwards inherit full build configurations (import paths, versions, debugVersions, versionFilters, importPaths, ...)
void configureDependents(ref TargetInfo ti, TargetInfo[string] targets, size_t level = 0)
{
// use `visited` here as pkgs cannot depend on themselves
if (ti.pack in visited)
return;
visited[ti.pack] = typeof(visited[ti.pack]).init;
logDiagnostic("%sConfiguring dependent %s, deps:%(%s, %)", ' '.repeat(2 * level), ti.pack.name, ti.dependencies);
// embedded non-binary dependencies
foreach (deppack; ti.packages[1 .. $])
ti.buildSettings.add(targets[deppack.name].buildSettings);
// binary dependencies
foreach (depname; ti.dependencies)
{
auto pdepti = &targets[depname];
configureDependents(*pdepti, targets, level + 1);
mergeFromDependency(pdepti.buildSettings, ti.buildSettings);
}
}
configureDependents(targets[rootPackage.name], targets);
static if (__VERSION__ > 2070)
visited.clear();
else
destroy(visited);
// 4. Filter applicable version and debug version identifiers
if (genSettings.filterVersions)
{
foreach (name, ref ti; targets)
{
import std.algorithm.sorting : partition;
auto bs = &ti.buildSettings;
auto filtered = bs.versions.partition!(v => bs.versionFilters.canFind(v));
logDebug("Filtering out unused versions for %s: %s", name, filtered);
bs.versions = bs.versions[0 .. $ - filtered.length];
filtered = bs.debugVersions.partition!(v => bs.debugVersionFilters.canFind(v));
logDebug("Filtering out unused debug versions for %s: %s", name, filtered);
bs.debugVersions = bs.debugVersions[0 .. $ - filtered.length];
}
}
// 5. override string import files in dependencies
static void overrideStringImports(ref TargetInfo ti, TargetInfo[string] targets, string[] overrides)
{
// do not use visited here as string imports can be overridden by *any* parent
//
// special support for overriding string imports in parent packages
// this is a candidate for deprecation, once an alternative approach
// has been found
if (ti.buildSettings.stringImportPaths.length) {
// override string import files (used for up to date checking)
foreach (ref f; ti.buildSettings.stringImportFiles)
{
foreach (o; overrides)
{
NativePath op;
if (f != o && NativePath(f).head == (op = NativePath(o)).head) {
logDebug("string import %s overridden by %s", f, o);
f = o;
ti.buildSettings.prependStringImportPaths(op.parentPath.toNativeString);
}
}
}
}
// add to overrides for recursion
overrides ~= ti.buildSettings.stringImportFiles;
// override dependencies
foreach (depname; ti.dependencies)
overrideStringImports(targets[depname], targets, overrides);
}
overrideStringImports(targets[rootPackage.name], targets, null);
// remove targets without output
foreach (name; targets.keys)
{
if (!hasOutput[name])
targets.remove(name);
}
}
// infer applicable version identifiers
private static void inferVersionFilters(ref TargetInfo ti)
{
import std.algorithm.searching : any;
import std.file : timeLastModified;
import std.path : extension;
import std.range : chain;
import std.regex : ctRegex, matchAll;
import std.stdio : File;
import std.datetime : Clock, SysTime, UTC;
import dub.compilers.utils : isLinkerFile;
import dub.internal.vibecompat.data.json : Json, JSONException;
auto bs = &ti.buildSettings;
// only infer if neither version filters are specified explicitly
if (bs.versionFilters.length || bs.debugVersionFilters.length)
{
logDebug("Using specified versionFilters for %s: %s %s", ti.pack.name,
bs.versionFilters, bs.debugVersionFilters);
return;
}
// check all existing source files for version identifiers
static immutable dexts = [".d", ".di"];
auto srcs = chain(bs.sourceFiles, bs.importFiles, bs.stringImportFiles)
.filter!(f => dexts.canFind(f.extension)).filter!exists;
// try to load cached filters first
auto cache = ti.pack.metadataCache;
try
{
auto cachedFilters = cache["versionFilters"];
if (cachedFilters.type != Json.Type.undefined)
cachedFilters = cachedFilters[ti.config];
if (cachedFilters.type != Json.Type.undefined)
{
immutable mtime = SysTime.fromISOExtString(cachedFilters["mtime"].get!string);
if (!srcs.any!(src => src.timeLastModified > mtime))
{
auto versionFilters = cachedFilters["versions"][].map!(j => j.get!string).array;
auto debugVersionFilters = cachedFilters["debugVersions"][].map!(j => j.get!string).array;
logDebug("Using cached versionFilters for %s: %s %s", ti.pack.name,
versionFilters, debugVersionFilters);
bs.addVersionFilters(versionFilters);
bs.addDebugVersionFilters(debugVersionFilters);
return;
}
}
}
catch (JSONException e)
{
logWarn("Exception during loading invalid package cache %s.\n%s",
ti.pack.path ~ ".dub/metadata_cache.json", e);
}
// use ctRegex for performance reasons, only small compile time increase
enum verRE = ctRegex!`(?:^|\s)version\s*\(\s*([^\s]*?)\s*\)`;
enum debVerRE = ctRegex!`(?:^|\s)debug\s*\(\s*([^\s]*?)\s*\)`;
auto versionFilters = appender!(string[]);
auto debugVersionFilters = appender!(string[]);
foreach (file; srcs)
{
foreach (line; File(file).byLine)
{
foreach (m; line.matchAll(verRE))
if (!versionFilters.data.canFind(m[1]))
versionFilters.put(m[1].idup);
foreach (m; line.matchAll(debVerRE))
if (!debugVersionFilters.data.canFind(m[1]))
debugVersionFilters.put(m[1].idup);
}
}
logDebug("Using inferred versionFilters for %s: %s %s", ti.pack.name,
versionFilters.data, debugVersionFilters.data);
bs.addVersionFilters(versionFilters.data);
bs.addDebugVersionFilters(debugVersionFilters.data);
auto cachedFilters = cache["versionFilters"];
if (cachedFilters.type == Json.Type.undefined)
cachedFilters = cache["versionFilters"] = [ti.config: Json.emptyObject];
cachedFilters[ti.config] = [
"mtime": Json(Clock.currTime(UTC()).toISOExtString),
"versions": Json(versionFilters.data.map!Json.array),
"debugVersions": Json(debugVersionFilters.data.map!Json.array),
];
ti.pack.metadataCache = cache;
}
private static void mergeFromDependent(in ref BuildSettings parent, ref BuildSettings child)
{
child.addVersions(parent.versions);
child.addDebugVersions(parent.debugVersions);
child.addOptions(BuildOptions(parent.options & inheritedBuildOptions));
}
private static void mergeFromDependency(in ref BuildSettings child, ref BuildSettings parent)
{
import dub.compilers.utils : isLinkerFile;
parent.addDFlags(child.dflags);
parent.addVersions(child.versions);
parent.addDebugVersions(child.debugVersions);
parent.addVersionFilters(child.versionFilters);
parent.addDebugVersionFilters(child.debugVersionFilters);
parent.addImportPaths(child.importPaths);
parent.addStringImportPaths(child.stringImportPaths);
// linking of static libraries is done by parent
if (child.targetType == TargetType.staticLibrary) {
parent.addSourceFiles(child.sourceFiles.filter!isLinkerFile.array);
parent.addLibs(child.libs);
parent.addLFlags(child.lflags);
}
}
// configure targets for build types such as release, or unittest-cov
private void addBuildTypeSettings(TargetInfo[string] targets, in GeneratorSettings settings)
{
foreach (ref ti; targets.byValue) {
ti.buildSettings.add(settings.buildSettings);
// add build type settings and convert plain DFLAGS to build options
m_project.addBuildTypeSettings(ti.buildSettings, settings, ti.pack is m_project.rootPackage);
settings.compiler.extractBuildOptions(ti.buildSettings);
auto tt = ti.buildSettings.targetType;
enforce (tt != TargetType.sourceLibrary || ti.pack !is m_project.rootPackage || (ti.buildSettings.options & BuildOption.syntaxOnly),
format("Main package must not have target type \"%s\". Cannot build.", tt));
}
}
}
struct GeneratorSettings {
BuildPlatform platform;
Compiler compiler;
string config;
string buildType;
BuildSettings buildSettings;
BuildMode buildMode = BuildMode.separate;
int targetExitStatus;
bool combined; // compile all in one go instead of each dependency separately
bool filterVersions;
// only used for generator "build"
bool run, force, direct, rdmd, tempBuild, parallelBuild;
string[] runArgs;
void delegate(int status, string output) compileCallback;
void delegate(int status, string output) linkCallback;
void delegate(int status, string output) runCallback;
}
/**
Determines the mode in which the compiler and linker are invoked.
*/
enum BuildMode {
separate, /// Compile and link separately
allAtOnce, /// Perform compile and link with a single compiler invocation
singleFile, /// Compile each file separately
//multipleObjects, /// Generate an object file per module
//multipleObjectsPerModule, /// Use the -multiobj switch to generate multiple object files per module
//compileOnly /// Do not invoke the linker (can be done using a post build command)
}
/**
Creates a project generator of the given type for the specified project.
*/
ProjectGenerator createProjectGenerator(string generator_type, Project project)
{
assert(project !is null, "Project instance needed to create a generator.");
generator_type = generator_type.toLower();
switch(generator_type) {
default:
throw new Exception("Unknown project generator: "~generator_type);
case "build":
logDebug("Creating build generator.");
return new BuildGenerator(project);
case "mono-d":
throw new Exception("The Mono-D generator has been removed. Use Mono-D's built in DUB support instead.");
case "visuald":
logDebug("Creating VisualD generator.");
return new VisualDGenerator(project);
case "sublimetext":
logDebug("Creating SublimeText generator.");
return new SublimeTextGenerator(project);
case "cmake":
logDebug("Creating CMake generator.");
return new CMakeGenerator(project);
}
}
/**
Runs pre-build commands and performs other required setup before project files are generated.
*/
private void prepareGeneration(in Package pack, in Project proj, in GeneratorSettings settings,
in BuildSettings buildsettings)
{
if (buildsettings.preGenerateCommands.length && !isRecursiveInvocation(pack.name)) {
logInfo("Running pre-generate commands for %s...", pack.name);
runBuildCommands(buildsettings.preGenerateCommands, pack, proj, settings, buildsettings);
}
}
/**
Runs post-build commands and copies required files to the binary directory.
*/
private void finalizeGeneration(in Package pack, in Project proj, in GeneratorSettings settings,
in BuildSettings buildsettings, NativePath target_path, bool generate_binary)
{
import std.path : globMatch;
if (buildsettings.postGenerateCommands.length && !isRecursiveInvocation(pack.name)) {
logInfo("Running post-generate commands for %s...", pack.name);
runBuildCommands(buildsettings.postGenerateCommands, pack, proj, settings, buildsettings);
}
if (generate_binary) {
if (!exists(buildsettings.targetPath))
mkdirRecurse(buildsettings.targetPath);
if (buildsettings.copyFiles.length) {
void copyFolderRec(NativePath folder, NativePath dstfolder)
{
mkdirRecurse(dstfolder.toNativeString());
foreach (de; iterateDirectory(folder.toNativeString())) {
if (de.isDirectory) {
copyFolderRec(folder ~ de.name, dstfolder ~ de.name);
} else {
try hardLinkFile(folder ~ de.name, dstfolder ~ de.name, true);
catch (Exception e) {
logWarn("Failed to copy file %s: %s", (folder ~ de.name).toNativeString(), e.msg);
}
}
}
}
void tryCopyDir(string file)
{
auto src = NativePath(file);
if (!src.absolute) src = pack.path ~ src;
auto dst = target_path ~ NativePath(file).head;
if (src == dst) {
logDiagnostic("Skipping copy of %s (same source and destination)", file);
return;
}
logDiagnostic(" %s to %s", src.toNativeString(), dst.toNativeString());
try {
copyFolderRec(src, dst);
} catch(Exception e) logWarn("Failed to copy %s to %s: %s", src.toNativeString(), dst.toNativeString(), e.msg);
}
void tryCopyFile(string file)
{
auto src = NativePath(file);
if (!src.absolute) src = pack.path ~ src;
auto dst = target_path ~ NativePath(file).head;
if (src == dst) {
logDiagnostic("Skipping copy of %s (same source and destination)", file);
return;
}
logDiagnostic(" %s to %s", src.toNativeString(), dst.toNativeString());
try {
hardLinkFile(src, dst, true);
} catch(Exception e) logWarn("Failed to copy %s to %s: %s", src.toNativeString(), dst.toNativeString(), e.msg);
}
logInfo("Copying files for %s...", pack.name);
string[] globs;
foreach (f; buildsettings.copyFiles)
{
if (f.canFind("*", "?") ||
(f.canFind("{") && f.balancedParens('{', '}')) ||
(f.canFind("[") && f.balancedParens('[', ']')))
{
globs ~= f;
}
else
{
if (f.isDir)
tryCopyDir(f);
else
tryCopyFile(f);
}
}
if (globs.length) // Search all files for glob matches
{
foreach (f; dirEntries(pack.path.toNativeString(), SpanMode.breadth))
{
foreach (glob; globs)
{
if (f.name().globMatch(glob))
{
if (f.isDir)
tryCopyDir(f);
else
tryCopyFile(f);
break;
}
}
}
}
}
}
}
/** Runs a list of build commands for a particular package.
This function sets all DUB speficic environment variables and makes sure
that recursive dub invocations are detected and don't result in infinite
command execution loops. The latter could otherwise happen when a command
runs "dub describe" or similar functionality.
*/
void runBuildCommands(in string[] commands, in Package pack, in Project proj,
in GeneratorSettings settings, in BuildSettings build_settings)
{
import dub.internal.utils : getDUBExePath, runCommands;
import std.conv : to, text;
import std.process : environment, escapeShellFileName;
string[string] env = environment.toAA();
// TODO: do more elaborate things here
// TODO: escape/quote individual items appropriately
env["DFLAGS"] = join(cast(string[])build_settings.dflags, " ");
env["LFLAGS"] = join(cast(string[])build_settings.lflags," ");
env["VERSIONS"] = join(cast(string[])build_settings.versions," ");
env["LIBS"] = join(cast(string[])build_settings.libs," ");
env["IMPORT_PATHS"] = join(cast(string[])build_settings.importPaths," ");
env["STRING_IMPORT_PATHS"] = join(cast(string[])build_settings.stringImportPaths," ");
env["DC"] = settings.platform.compilerBinary;
env["DC_BASE"] = settings.platform.compiler;
env["D_FRONTEND_VER"] = to!string(settings.platform.frontendVersion);
env["DUB_EXE"] = getDUBExePath(settings.platform.compilerBinary);
env["DUB_PLATFORM"] = join(cast(string[])settings.platform.platform," ");
env["DUB_ARCH"] = join(cast(string[])settings.platform.architecture," ");
env["DUB_TARGET_TYPE"] = to!string(build_settings.targetType);
env["DUB_TARGET_PATH"] = build_settings.targetPath;
env["DUB_TARGET_NAME"] = build_settings.targetName;
env["DUB_TARGET_EXIT_STATUS"] = settings.targetExitStatus.text;
env["DUB_WORKING_DIRECTORY"] = build_settings.workingDirectory;
env["DUB_MAIN_SOURCE_FILE"] = build_settings.mainSourceFile;
env["DUB_CONFIG"] = settings.config;
env["DUB_BUILD_TYPE"] = settings.buildType;
env["DUB_BUILD_MODE"] = to!string(settings.buildMode);
env["DUB_PACKAGE"] = pack.name;
env["DUB_PACKAGE_DIR"] = pack.path.toNativeString();
env["DUB_ROOT_PACKAGE"] = proj.rootPackage.name;
env["DUB_ROOT_PACKAGE_DIR"] = proj.rootPackage.path.toNativeString();
env["DUB_PACKAGE_VERSION"] = pack.version_.toString();
env["DUB_COMBINED"] = settings.combined? "TRUE" : "";
env["DUB_RUN"] = settings.run? "TRUE" : "";
env["DUB_FORCE"] = settings.force? "TRUE" : "";
env["DUB_DIRECT"] = settings.direct? "TRUE" : "";
env["DUB_RDMD"] = settings.rdmd? "TRUE" : "";
env["DUB_TEMP_BUILD"] = settings.tempBuild? "TRUE" : "";
env["DUB_PARALLEL_BUILD"] = settings.parallelBuild? "TRUE" : "";
env["DUB_RUN_ARGS"] = (cast(string[])settings.runArgs).map!(escapeShellFileName).join(" ");
auto depNames = proj.dependencies.map!((a) => a.name).array();
storeRecursiveInvokations(env, proj.rootPackage.name ~ depNames);
runCommands(commands, env);
}
private bool isRecursiveInvocation(string pack)
{
import std.algorithm : canFind, splitter;
import std.process : environment;
return environment
.get("DUB_PACKAGES_USED", "")
.splitter(",")
.canFind(pack);
}
private void storeRecursiveInvokations(string[string] env, string[] packs)
{
import std.algorithm : canFind, splitter;
import std.range : chain;
import std.process : environment;
env["DUB_PACKAGES_USED"] = environment
.get("DUB_PACKAGES_USED", "")
.splitter(",")
.chain(packs)
.join(",");
}
| D |
// float
module std.typeinfo.ti_float;
import util;
//private import std.math;
class TypeInfo_f : TypeInfo
{
char[] toString() { return "float"; }
hash_t getHash(void *p)
{
return *cast(uint *)p;
}
static int _equals(float f1, float f2)
{
return f1 == f2 ||
(isnan(f1) && isnan(f2));
}
static int _compare(float d1, float d2)
{
if (d1 !<>= d2) // if either are NaN
{
if (isnan(d1))
{ if (isnan(d2))
return 0;
return -1;
}
return 1;
}
return (d1 == d2) ? 0 : ((d1 < d2) ? -1 : 1);
}
int equals(void *p1, void *p2)
{
return _equals(*cast(float *)p1, *cast(float *)p2);
}
int compare(void *p1, void *p2)
{
return _compare(*cast(float *)p1, *cast(float *)p2);
}
size_t tsize()
{
return float.sizeof;
}
void swap(void *p1, void *p2)
{
/*float t;
t = *cast(float *)p1;
*cast(float *)p1 = *cast(float *)p2;
*cast(float *)p2 = t;*/
}
void[] init()
{ static float r;
return (cast(float *)&r)[0 .. 1];
}
}
| D |
/Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Vapor.build/Provider/ProviderInstall.swift.o : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Message+JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Response+JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Body+JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+FormData.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewData.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/FormData+Polymorphic.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Command.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Log+Convenience.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/StringCharacterSequence.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Resource.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/HTTP+Node.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/AcceptLanguage.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cache/Config+Cache.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Message+Codable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Response+Codable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Configurable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSONRepresentable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/StringInitializable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/RequestInitializable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Console.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Vapor+Console.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/MediaType.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Config+Middleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Date/DateMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/File+Response.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Resolve.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Serve.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/DumpConfig.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Config+ServerConfig.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/ServerConfig.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoEncoding.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Chaining.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Droplet+Routing.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Config+Log.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RoutesLog.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Config+Hash.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogLevel.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Config+Mail.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mail.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/ProviderInstall.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/HashProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CipherProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Int+Random.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Version.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSConfiguration.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RouteCollection.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Subscription.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Run.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mailgun.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Config+Provider.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Responder.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileManager.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/ConsoleLogger.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/Config+Cipher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoCipher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/CryptoHasher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/BCryptHasher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/StaticViewRenderer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/EngineServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/SecurityLayer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/AbortError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider+Resources.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Directories.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Bytes.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/InitProtocols.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Config+Sessions.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Responder+Helpers.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSockets/WebSockets.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Exports.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/EngineClient.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/FoundationClient.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Response+Content.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Request+Content.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Content.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Event.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/Accept.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+Multipart.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Abort.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer+Request.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/Config+View.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/View.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorView.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactory.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/JSON.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/SMTP.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/FormData.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Node.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Cache.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/PathIndexable.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Branches.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Cookies.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Configs.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sessions.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/WebSockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/BCrypt.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes
/Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Vapor.build/ProviderInstall~partial.swiftmodule : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Message+JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Response+JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Body+JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+FormData.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewData.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/FormData+Polymorphic.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Command.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Log+Convenience.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/StringCharacterSequence.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Resource.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/HTTP+Node.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/AcceptLanguage.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cache/Config+Cache.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Message+Codable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Response+Codable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Configurable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSONRepresentable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/StringInitializable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/RequestInitializable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Console.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Vapor+Console.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/MediaType.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Config+Middleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Date/DateMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/File+Response.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Resolve.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Serve.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/DumpConfig.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Config+ServerConfig.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/ServerConfig.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoEncoding.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Chaining.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Droplet+Routing.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Config+Log.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RoutesLog.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Config+Hash.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogLevel.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Config+Mail.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mail.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/ProviderInstall.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/HashProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CipherProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Int+Random.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Version.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSConfiguration.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RouteCollection.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Subscription.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Run.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mailgun.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Config+Provider.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Responder.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileManager.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/ConsoleLogger.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/Config+Cipher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoCipher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/CryptoHasher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/BCryptHasher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/StaticViewRenderer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/EngineServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/SecurityLayer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/AbortError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider+Resources.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Directories.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Bytes.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/InitProtocols.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Config+Sessions.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Responder+Helpers.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSockets/WebSockets.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Exports.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/EngineClient.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/FoundationClient.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Response+Content.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Request+Content.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Content.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Event.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/Accept.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+Multipart.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Abort.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer+Request.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/Config+View.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/View.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorView.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactory.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/JSON.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/SMTP.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/FormData.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Node.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Cache.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/PathIndexable.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Branches.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Cookies.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Configs.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sessions.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/WebSockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/BCrypt.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes
/Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Vapor.build/ProviderInstall~partial.swiftdoc : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Message+JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Response+JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Body+JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSON.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+FormData.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewData.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/FormData+Polymorphic.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Command.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Log+Convenience.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/StringCharacterSequence.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Resource.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/HTTP+Node.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/AcceptLanguage.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cache/Config+Cache.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Message+Codable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Response+Codable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Configurable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSONRepresentable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/StringInitializable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/RequestInitializable.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Console.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Vapor+Console.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/MediaType.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Config+Middleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Date/DateMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorMiddleware.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/File+Response.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Resolve.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Serve.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/DumpConfig.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Config+ServerConfig.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/ServerConfig.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoEncoding.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Chaining.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Droplet+Routing.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Config+Log.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RoutesLog.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Config+Hash.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogLevel.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Config+Mail.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mail.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/ProviderInstall.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/HashProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CipherProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Int+Random.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Version.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSConfiguration.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RouteCollection.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Subscription.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Run.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mailgun.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Config+Provider.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Responder.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileManager.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/ConsoleLogger.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/Config+Cipher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoCipher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/CryptoHasher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/BCryptHasher.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/StaticViewRenderer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/EngineServer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/SecurityLayer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/AbortError.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider+Resources.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Directories.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Bytes.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/InitProtocols.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Config+Sessions.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Responder+Helpers.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSockets/WebSockets.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Exports.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/EngineClient.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/FoundationClient.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Response+Content.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Request+Content.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Content.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Event.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/Accept.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+Multipart.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Abort.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer+Request.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/Config+View.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/View.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorView.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactory.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/JSON.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/SMTP.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/FormData.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Node.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Cache.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/PathIndexable.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Routing.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Branches.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Cookies.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Configs.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sessions.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/WebSockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/BCrypt.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Multipart.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes
| D |
instance Mod_7407_OUT_Wirt_EIS (Npc_Default)
{
// ------ NSC ------
name = "Wirt";
guild = GIL_OUT;
id = 7407;
voice = 0;
flags = 0;
npctype = NPCTYPE_MAIN;
// ------ Attribute ------
B_SetAttributesToChapter (self, 4);
// ------ Kampf-Taktik ------
fight_tactic = FAI_HUMAN_STRONG;
// ------ Equippte Waffen ------
//EquipItem (self, ItMw_1h_Bau_Mace);
// ------ Inventory ------
B_CreateAmbientInv (self);
// ------ visuals ------
B_SetNpcVisual (self, MALE, "Hum_Head_FatBald", Face_N_OldBald_Jeremiah, BodyTex_N, ITAR_BARKEEPER);
Mdl_SetModelFatness (self, 2);
Mdl_ApplyOverlayMds (self, "Humans_Arrogance.mds");
// ------ NSC-relevante Talente vergeben ------
B_GiveNpcTalents (self);
// ------ Kampf-Talente ------
B_SetFightSkills (self, 70);
// ------ TA anmelden ------
daily_routine = Rtn_Start_7407;
};
FUNC VOID Rtn_Start_7407 ()
{
TA_Stand_ArmsCrossed (04,35,21,00,"EIS_148");
TA_Stand_ArmsCrossed (21,00,04,35,"EIS_148");
};
| D |
/***********************************************************************\
* wincrypt.d *
* *
* Windows API header module *
* *
* Translated from MinGW Windows headers *
* by Stewart Gordon *
* *
* Placed into public domain *
\***********************************************************************/
module win32.wincrypt;
version(Windows):
private import win32.w32api, win32.winbase, win32.windef;
/* FIXME:
* Types of some constants
* Types of macros
* Inits of various "size" and "version" members
* Why are some #ifdefs commented out?
*/
const TCHAR[]
MS_DEF_PROV = "Microsoft Base Cryptographic Provider v1.0",
MS_ENHANCED_PROV = "Microsoft Enhanced Cryptographic Provider v1.0",
MS_STRONG_PROV = "Microsoft Strong Cryptographic Provider",
MS_DEF_RSA_SIG_PROV = "Microsoft RSA Signature Cryptographic Provider",
MS_DEF_RSA_SCHANNEL_PROV = "Microsoft RSA SChannel Cryptographic Provider",
MS_DEF_DSS_PROV = "Microsoft Base DSS Cryptographic Provider",
MS_DEF_DSS_DH_PROV
= "Microsoft Base DSS and Diffie-Hellman Cryptographic Provider",
MS_ENH_DSS_DH_PROV
= "Microsoft Enhanced DSS and Diffie-Hellman Cryptographic Provider",
MS_DEF_DH_SCHANNEL_PROV = "Microsoft DH SChannel Cryptographic Provider",
MS_SCARD_PROV = "Microsoft Base Smart Card Crypto Provider";
static if (_WIN32_WINNT > 0x501) {
const TCHAR[] MS_ENH_RSA_AES_PROV
= "Microsoft Enhanced RSA and AES Cryptographic Provider";
} else static if (_WIN32_WINNT == 0x501) {
const TCHAR[] MS_ENH_RSA_AES_PROV
= "Microsoft Enhanced RSA and AES Cryptographic Provider (Prototype)";
}
ALG_ID GET_ALG_CLASS(ALG_ID x) { return x & 0xE000; }
ALG_ID GET_ALG_TYPE (ALG_ID x) { return x & 0x1E00; }
ALG_ID GET_ALG_SID (ALG_ID x) { return x & 0x01FF; }
enum : ALG_ID {
ALG_CLASS_ANY = 0,
ALG_CLASS_SIGNATURE = 0x2000,
ALG_CLASS_MSG_ENCRYPT = 0x4000,
ALG_CLASS_DATA_ENCRYPT = 0x6000,
ALG_CLASS_HASH = 0x8000,
ALG_CLASS_KEY_EXCHANGE = 0xA000,
ALG_CLASS_ALL = 0xE000
}
enum : ALG_ID {
ALG_TYPE_ANY = 0,
ALG_TYPE_DSS = 0x0200,
ALG_TYPE_RSA = 0x0400,
ALG_TYPE_BLOCK = 0x0600,
ALG_TYPE_STREAM = 0x0800,
ALG_TYPE_DH = 0x0A00,
ALG_TYPE_SECURECHANNEL = 0x0C00
}
enum : ALG_ID {
ALG_SID_ANY = 0,
ALG_SID_RSA_ANY = 0,
ALG_SID_RSA_PKCS,
ALG_SID_RSA_MSATWORK,
ALG_SID_RSA_ENTRUST,
ALG_SID_RSA_PGP, // = 4
ALG_SID_DSS_ANY = 0,
ALG_SID_DSS_PKCS,
ALG_SID_DSS_DMS, // = 2
ALG_SID_DES = 1,
ALG_SID_3DES = 3,
ALG_SID_DESX,
ALG_SID_IDEA,
ALG_SID_CAST,
ALG_SID_SAFERSK64,
ALG_SID_SAFERSK128,
ALG_SID_3DES_112,
ALG_SID_SKIPJACK,
ALG_SID_TEK,
ALG_SID_CYLINK_MEK,
ALG_SID_RC5, // = 13
ALG_SID_RC2 = 2,
ALG_SID_RC4 = 1,
ALG_SID_SEAL = 2,
ALG_SID_MD2 = 1,
ALG_SID_MD4,
ALG_SID_MD5,
ALG_SID_SHA,
ALG_SID_MAC,
ALG_SID_RIPEMD,
ALG_SID_RIPEMD160,
ALG_SID_SSL3SHAMD5,
ALG_SID_HMAC,
ALG_SID_TLS1PRF, // = 10
ALG_SID_AES_128 = 14,
ALG_SID_AES_192,
ALG_SID_AES_256,
ALG_SID_AES, // = 17
ALG_SID_EXAMPLE = 80
}
enum : ALG_ID {
CALG_MD2 = ALG_CLASS_HASH | ALG_TYPE_ANY | ALG_SID_MD2,
CALG_MD4 = ALG_CLASS_HASH | ALG_TYPE_ANY | ALG_SID_MD4,
CALG_MD5 = ALG_CLASS_HASH | ALG_TYPE_ANY | ALG_SID_MD5,
CALG_SHA = ALG_CLASS_HASH | ALG_TYPE_ANY | ALG_SID_SHA,
CALG_SHA1 = CALG_SHA,
CALG_MAC = ALG_CLASS_HASH | ALG_TYPE_ANY | ALG_SID_MAC,
CALG_3DES = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_BLOCK | 3,
CALG_CYLINK_MEK = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_BLOCK | 12,
CALG_SKIPJACK = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_BLOCK | 10,
CALG_KEA_KEYX = ALG_CLASS_KEY_EXCHANGE | ALG_TYPE_STREAM | ALG_TYPE_DSS | 4,
CALG_RSA_SIGN = ALG_CLASS_SIGNATURE | ALG_TYPE_RSA | ALG_SID_RSA_ANY,
CALG_DSS_SIGN = ALG_CLASS_SIGNATURE | ALG_TYPE_DSS | ALG_SID_DSS_ANY,
CALG_RSA_KEYX = ALG_CLASS_KEY_EXCHANGE | ALG_TYPE_RSA | ALG_SID_RSA_ANY,
CALG_DES = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_BLOCK | ALG_SID_DES,
CALG_RC2 = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_BLOCK | ALG_SID_RC2,
CALG_RC4 = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_STREAM | ALG_SID_RC4,
CALG_SEAL = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_STREAM | ALG_SID_SEAL,
CALG_DH_EPHEM = ALG_CLASS_KEY_EXCHANGE | ALG_TYPE_STREAM | ALG_TYPE_DSS
| ALG_SID_DSS_DMS,
CALG_DESX = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_BLOCK | ALG_SID_DESX,
// is undefined ALG_CLASS_DHASH in MinGW - presuming typo
CALG_TLS1PRF = ALG_CLASS_HASH | ALG_TYPE_ANY | ALG_SID_TLS1PRF,
CALG_AES_128 = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_BLOCK | ALG_SID_AES_128,
CALG_AES_192 = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_BLOCK | ALG_SID_AES_192,
CALG_AES_256 = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_BLOCK | ALG_SID_AES_256,
CALG_AES = ALG_CLASS_DATA_ENCRYPT | ALG_TYPE_BLOCK | ALG_SID_AES,
}
enum {
CRYPT_VERIFYCONTEXT = 0xF0000000,
}
enum {
CRYPT_NEWKEYSET = 8,
CRYPT_DELETEKEYSET = 16,
CRYPT_MACHINE_KEYSET = 32,
CRYPT_SILENT = 64,
}
enum {
CRYPT_EXPORTABLE = 1,
CRYPT_USER_PROTECTED = 2,
CRYPT_CREATE_SALT = 4,
CRYPT_UPDATE_KEY = 8,
}
enum {
SIMPLEBLOB = 1,
PUBLICKEYBLOB = 6,
PRIVATEKEYBLOB = 7,
PLAINTEXTKEYBLOB = 8,
OPAQUEKEYBLOB = 9,
PUBLICKEYBLOBEX = 10,
SYMMETRICWRAPKEYBLOB = 11,
}
enum {
AT_KEYEXCHANGE = 1,
AT_SIGNATURE = 2,
}
enum {
CRYPT_USERDATA = 1,
}
enum {
PKCS5_PADDING = 1,
}
enum {
CRYPT_MODE_CBC = 1,
CRYPT_MODE_ECB = 2,
CRYPT_MODE_OFB = 3,
CRYPT_MODE_CFB = 4,
CRYPT_MODE_CTS = 5,
CRYPT_MODE_CBCI = 6,
CRYPT_MODE_CFBP = 7,
CRYPT_MODE_OFBP = 8,
CRYPT_MODE_CBCOFM = 9,
CRYPT_MODE_CBCOFMI = 10,
}
enum {
CRYPT_ENCRYPT = 1,
CRYPT_DECRYPT = 2,
CRYPT_EXPORT = 4,
CRYPT_READ = 8,
CRYPT_WRITE = 16,
CRYPT_MAC = 32,
}
enum {
HP_ALGID = 1,
HP_HASHVAL = 2,
HP_HASHSIZE = 4,
HP_HMAC_INFO = 5,
}
enum {
CRYPT_FAILED = FALSE,
CRYPT_SUCCEED = TRUE,
}
bool RCRYPT_SUCCEEDED(BOOL r) { return r==CRYPT_SUCCEED; }
bool RCRYPT_FAILED(BOOL r) { return r==CRYPT_FAILED; }
enum {
PP_ENUMALGS = 1,
PP_ENUMCONTAINERS = 2,
PP_IMPTYPE = 3,
PP_NAME = 4,
PP_VERSION = 5,
PP_CONTAINER = 6,
PP_CHANGE_PASSWORD = 7,
PP_KEYSET_SEC_DESCR = 8,
PP_CERTCHAIN = 9,
PP_KEY_TYPE_SUBTYPE = 10,
PP_PROVTYPE = 16,
PP_KEYSTORAGE = 17,
PP_APPLI_CERT = 18,
PP_SYM_KEYSIZE = 19,
PP_SESSION_KEYSIZE = 20,
PP_UI_PROMPT = 21,
PP_ENUMALGS_EX = 22,
PP_ENUMMANDROOTS = 25,
PP_ENUMELECTROOTS = 26,
PP_KEYSET_TYPE = 27,
PP_ADMIN_PIN = 31,
PP_KEYEXCHANGE_PIN = 32,
PP_SIGNATURE_PIN = 33,
PP_SIG_KEYSIZE_INC = 34,
PP_KEYX_KEYSIZE_INC = 35,
PP_UNIQUE_CONTAINER = 36,
PP_SGC_INFO = 37,
PP_USE_HARDWARE_RNG = 38,
PP_KEYSPEC = 39,
PP_ENUMEX_SIGNING_PROT = 40,
}
enum {
CRYPT_FIRST = 1,
CRYPT_NEXT = 2,
}
enum {
CRYPT_IMPL_HARDWARE = 1,
CRYPT_IMPL_SOFTWARE = 2,
CRYPT_IMPL_MIXED = 3,
CRYPT_IMPL_UNKNOWN = 4,
}
enum {
PROV_RSA_FULL = 1,
PROV_RSA_SIG = 2,
PROV_DSS = 3,
PROV_FORTEZZA = 4,
PROV_MS_MAIL = 5,
PROV_SSL = 6,
PROV_STT_MER = 7,
PROV_STT_ACQ = 8,
PROV_STT_BRND = 9,
PROV_STT_ROOT = 10,
PROV_STT_ISS = 11,
PROV_RSA_SCHANNEL = 12,
PROV_DSS_DH = 13,
PROV_EC_ECDSA_SIG = 14,
PROV_EC_ECNRA_SIG = 15,
PROV_EC_ECDSA_FULL = 16,
PROV_EC_ECNRA_FULL = 17,
PROV_DH_SCHANNEL = 18,
PROV_SPYRUS_LYNKS = 20,
PROV_RNG = 21,
PROV_INTEL_SEC = 22,
PROV_RSA_AES = 24,
MAXUIDLEN = 64,
}
enum {
CUR_BLOB_VERSION = 2,
}
enum {
X509_ASN_ENCODING = 1,
PKCS_7_ASN_ENCODING = 65536,
}
enum {
CERT_V1 = 0,
CERT_V2 = 1,
CERT_V3 = 2,
}
enum {
CERT_E_CHAINING = (-2146762486),
CERT_E_CN_NO_MATCH = (-2146762481),
CERT_E_EXPIRED = (-2146762495),
CERT_E_PURPOSE = (-2146762490),
CERT_E_REVOCATION_FAILURE = (-2146762482),
CERT_E_REVOKED = (-2146762484),
CERT_E_ROLE = (-2146762493),
CERT_E_UNTRUSTEDROOT = (-2146762487),
CERT_E_UNTRUSTEDTESTROOT = (-2146762483),
CERT_E_VALIDITYPERIODNESTING = (-2146762494),
CERT_E_WRONG_USAGE = (-2146762480),
CERT_E_PATHLENCONST = (-2146762492),
CERT_E_CRITICAL = (-2146762491),
CERT_E_ISSUERCHAINING = (-2146762489),
CERT_E_MALFORMED = (-2146762488),
CRYPT_E_REVOCATION_OFFLINE = (-2146885613),
CRYPT_E_REVOKED = (-2146885616),
TRUST_E_BASIC_CONSTRAINTS = (-2146869223),
TRUST_E_CERT_SIGNATURE = (-2146869244),
TRUST_E_FAIL = (-2146762485),
}
enum {
CERT_TRUST_NO_ERROR = 0,
CERT_TRUST_IS_NOT_TIME_VALID = 1,
CERT_TRUST_IS_NOT_TIME_NESTED = 2,
CERT_TRUST_IS_REVOKED = 4,
CERT_TRUST_IS_NOT_SIGNATURE_VALID = 8,
CERT_TRUST_IS_NOT_VALID_FOR_USAGE = 16,
CERT_TRUST_IS_UNTRUSTED_ROOT = 32,
CERT_TRUST_REVOCATION_STATUS_UNKNOWN = 64,
CERT_TRUST_IS_CYCLIC = 128,
CERT_TRUST_IS_PARTIAL_CHAIN = 65536,
CERT_TRUST_CTL_IS_NOT_TIME_VALID = 131072,
CERT_TRUST_CTL_IS_NOT_SIGNATURE_VALID = 262144,
CERT_TRUST_CTL_IS_NOT_VALID_FOR_USAGE = 524288,
}
enum {
CERT_TRUST_HAS_EXACT_MATCH_ISSUER = 1,
CERT_TRUST_HAS_KEY_MATCH_ISSUER = 2,
CERT_TRUST_HAS_NAME_MATCH_ISSUER = 4,
CERT_TRUST_IS_SELF_SIGNED = 8,
CERT_TRUST_IS_COMPLEX_CHAIN = 65536,
}
enum {
CERT_CHAIN_POLICY_BASE = cast(LPCSTR) 1,
CERT_CHAIN_POLICY_AUTHENTICODE = cast(LPCSTR) 2,
CERT_CHAIN_POLICY_AUTHENTICODE_TS = cast(LPCSTR) 3,
CERT_CHAIN_POLICY_SSL = cast(LPCSTR) 4,
CERT_CHAIN_POLICY_BASIC_CONSTRAINTS = cast(LPCSTR) 5,
CERT_CHAIN_POLICY_NT_AUTH = cast(LPCSTR) 6,
}
enum {
USAGE_MATCH_TYPE_AND = 0,
USAGE_MATCH_TYPE_OR = 1,
}
enum {
CERT_SIMPLE_NAME_STR = 1,
CERT_OID_NAME_STR = 2,
CERT_X500_NAME_STR = 3,
}
enum {
CERT_NAME_STR_SEMICOLON_FLAG = 1073741824,
CERT_NAME_STR_CRLF_FLAG = 134217728,
CERT_NAME_STR_NO_PLUS_FLAG = 536870912,
CERT_NAME_STR_NO_QUOTING_FLAG = 268435456,
CERT_NAME_STR_REVERSE_FLAG = 33554432,
CERT_NAME_STR_ENABLE_T61_UNICODE_FLAG = 131072,
}
enum {
CERT_FIND_ANY = 0,
CERT_FIND_CERT_ID = 1048576,
CERT_FIND_CTL_USAGE = 655360,
CERT_FIND_ENHKEY_USAGE = 655360,
CERT_FIND_EXISTING = 851968,
CERT_FIND_HASH = 65536,
CERT_FIND_ISSUER_ATTR = 196612,
CERT_FIND_ISSUER_NAME = 131076,
CERT_FIND_ISSUER_OF = 786432,
CERT_FIND_KEY_IDENTIFIER = 983040,
CERT_FIND_KEY_SPEC = 589824,
CERT_FIND_MD5_HASH = 262144,
CERT_FIND_PROPERTY = 327680,
CERT_FIND_PUBLIC_KEY = 393216,
CERT_FIND_SHA1_HASH = 65536,
CERT_FIND_SIGNATURE_HASH = 917504,
CERT_FIND_SUBJECT_ATTR = 196615,
CERT_FIND_SUBJECT_CERT = 720896,
CERT_FIND_SUBJECT_NAME = 131079,
CERT_FIND_SUBJECT_STR_A = 458759,
CERT_FIND_SUBJECT_STR_W = 524295,
CERT_FIND_ISSUER_STR_A = 458756,
CERT_FIND_ISSUER_STR_W = 524292,
}
enum {
CERT_FIND_OR_ENHKEY_USAGE_FLAG = 16,
CERT_FIND_OPTIONAL_ENHKEY_USAGE_FLAG = 1,
CERT_FIND_NO_ENHKEY_USAGE_FLAG = 8,
CERT_FIND_VALID_ENHKEY_USAGE_FLAG = 32,
CERT_FIND_EXT_ONLY_ENHKEY_USAGE_FLAG = 2,
}
enum {
CERT_CASE_INSENSITIVE_IS_RDN_ATTRS_FLAG = 2,
CERT_UNICODE_IS_RDN_ATTRS_FLAG = 1,
CERT_CHAIN_FIND_BY_ISSUER = 1,
}
enum {
CERT_CHAIN_FIND_BY_ISSUER_COMPARE_KEY_FLAG = 1,
CERT_CHAIN_FIND_BY_ISSUER_COMPLEX_CHAIN_FLAG = 2,
CERT_CHAIN_FIND_BY_ISSUER_CACHE_ONLY_URL_FLAG = 4,
CERT_CHAIN_FIND_BY_ISSUER_LOCAL_MACHINE_FLAG = 8,
CERT_CHAIN_FIND_BY_ISSUER_NO_KEY_FLAG = 16384,
CERT_CHAIN_FIND_BY_ISSUER_CACHE_ONLY_FLAG = 32768,
}
enum {
CERT_STORE_PROV_SYSTEM = 10,
CERT_SYSTEM_STORE_LOCAL_MACHINE = 131072,
}
enum {
szOID_PKIX_KP_SERVER_AUTH = "4235600",
szOID_SERVER_GATED_CRYPTO = "4235658",
szOID_SGC_NETSCAPE = "2.16.840.1.113730.4.1",
szOID_PKIX_KP_CLIENT_AUTH = "1.3.6.1.5.5.7.3.2",
}
enum {
CRYPT_NOHASHOID = 0x00000001,
CRYPT_NO_SALT = 0x10,
CRYPT_PREGEN = 0x40,
}
enum {
CRYPT_RECIPIENT = 0x10,
CRYPT_INITIATOR = 0x40,
CRYPT_ONLINE = 0x80,
CRYPT_SF = 0x100,
CRYPT_CREATE_IV = 0x200,
CRYPT_KEK = 0x400,
CRYPT_DATA_KEY = 0x800,
CRYPT_VOLATILE = 0x1000,
CRYPT_SGCKEY = 0x2000,
}
enum {
KP_IV = 0x00000001,
KP_SALT = 0x00000002,
KP_PADDING = 0x00000003,
KP_MODE = 0x00000004,
KP_MODE_BITS = 0x00000005,
KP_PERMISSIONS = 0x00000006,
KP_ALGID = 0x00000007,
KP_BLOCKLEN = 0x00000008,
KP_KEYLEN = 0x00000009,
KP_SALT_EX = 0x0000000a,
KP_P = 0x0000000b,
KP_G = 0x0000000c,
KP_Q = 0x0000000d,
KP_X = 0x0000000e,
KP_Y = 0x0000000f,
KP_RA = 0x00000010,
KP_RB = 0x00000011,
KP_INFO = 0x00000012,
KP_EFFECTIVE_KEYLEN = 0x00000013,
KP_SCHANNEL_ALG = 0x00000014,
KP_PUB_PARAMS = 0x00000027,
}
enum {
CRYPT_FLAG_PCT1 = 0x0001,
CRYPT_FLAG_SSL2 = 0x0002,
CRYPT_FLAG_SSL3 = 0x0004,
CRYPT_FLAG_TLS1 = 0x0008,
CRYPT_FLAG_IPSEC = 0x0010,
CRYPT_FLAG_SIGNING = 0x0020,
}
enum {
SCHANNEL_MAC_KEY = 0x00000000,
SCHANNEL_ENC_KEY = 0x00000001,
}
enum {
INTERNATIONAL_USAGE = 0x00000001,
}
alias UINT ALG_ID;
alias ULONG HCRYPTPROV, HCRYPTKEY, HCRYPTHASH;
alias PVOID HCERTSTORE, HCRYPTMSG, HCERTCHAINENGINE;
struct VTableProvStruc {
FARPROC FuncVerifyImage;
}
alias VTableProvStruc* PVTableProvStruc;
struct _CRYPTOAPI_BLOB {
DWORD cbData;
BYTE* pbData;
}
alias _CRYPTOAPI_BLOB CRYPT_INTEGER_BLOB, CRYPT_UINT_BLOB,
CRYPT_OBJID_BLOB, CERT_NAME_BLOB, CERT_RDN_VALUE_BLOB, CERT_BLOB,
CRL_BLOB, DATA_BLOB, CRYPT_DATA_BLOB, CRYPT_HASH_BLOB,
CRYPT_DIGEST_BLOB, CRYPT_DER_BLOB, CRYPT_ATTR_BLOB;
alias _CRYPTOAPI_BLOB* PCRYPT_INTEGER_BLOB, PCRYPT_UINT_BLOB,
PCRYPT_OBJID_BLOB, PCERT_NAME_BLOB, PCERT_RDN_VALUE_BLOB, PCERT_BLOB,
PCRL_BLOB, PDATA_BLOB, PCRYPT_DATA_BLOB, PCRYPT_HASH_BLOB,
PCRYPT_DIGEST_BLOB, PCRYPT_DER_BLOB, PCRYPT_ATTR_BLOB;
// not described in SDK; has the same layout as HTTPSPolicyCallbackData
struct SSL_EXTRA_CERT_CHAIN_POLICY_PARA {
DWORD cbStruct;
DWORD dwAuthType;
DWORD fdwChecks;
LPWSTR pwszServerName;
}
alias SSL_EXTRA_CERT_CHAIN_POLICY_PARA HTTPSPolicyCallbackData;
alias SSL_EXTRA_CERT_CHAIN_POLICY_PARA* PSSL_EXTRA_CERT_CHAIN_POLICY_PARA,
PHTTPSPolicyCallbackData;
/* #if (_WIN32_WINNT>=0x500) */
struct CERT_CHAIN_POLICY_PARA {
DWORD cbSize = CERT_CHAIN_POLICY_PARA.sizeof;
DWORD dwFlags;
void* pvExtraPolicyPara;
}
alias CERT_CHAIN_POLICY_PARA* PCERT_CHAIN_POLICY_PARA;
struct CERT_CHAIN_POLICY_STATUS {
DWORD cbSize = CERT_CHAIN_POLICY_STATUS.sizeof;
DWORD dwError;
LONG lChainIndex;
LONG lElementIndex;
void* pvExtraPolicyStatus;
}
alias CERT_CHAIN_POLICY_STATUS* PCERT_CHAIN_POLICY_STATUS;
/* #endif */
struct CRYPT_ALGORITHM_IDENTIFIER {
LPSTR pszObjId;
CRYPT_OBJID_BLOB Parameters;
}
alias CRYPT_ALGORITHM_IDENTIFIER* PCRYPT_ALGORITHM_IDENTIFIER;
struct CRYPT_BIT_BLOB {
DWORD cbData;
BYTE* pbData;
DWORD cUnusedBits;
}
alias CRYPT_BIT_BLOB* PCRYPT_BIT_BLOB;
struct CERT_PUBLIC_KEY_INFO {
CRYPT_ALGORITHM_IDENTIFIER Algorithm;
CRYPT_BIT_BLOB PublicKey;
}
alias CERT_PUBLIC_KEY_INFO* PCERT_PUBLIC_KEY_INFO;
struct CERT_EXTENSION {
LPSTR pszObjId;
BOOL fCritical;
CRYPT_OBJID_BLOB Value;
}
alias CERT_EXTENSION* PCERT_EXTENSION;
struct CERT_INFO {
DWORD dwVersion;
CRYPT_INTEGER_BLOB SerialNumber;
CRYPT_ALGORITHM_IDENTIFIER SignatureAlgorithm;
CERT_NAME_BLOB Issuer;
FILETIME NotBefore;
FILETIME NotAfter;
CERT_NAME_BLOB Subject;
CERT_PUBLIC_KEY_INFO SubjectPublicKeyInfo;
CRYPT_BIT_BLOB IssuerUniqueId;
CRYPT_BIT_BLOB SubjectUniqueId;
DWORD cExtension;
PCERT_EXTENSION rgExtension;
}
alias CERT_INFO* PCERT_INFO;
struct CERT_CONTEXT {
DWORD dwCertEncodingType;
BYTE* pbCertEncoded;
DWORD cbCertEncoded;
PCERT_INFO pCertInfo;
HCERTSTORE hCertStore;
}
alias CERT_CONTEXT* PCERT_CONTEXT;
alias const(CERT_CONTEXT)* PCCERT_CONTEXT;
struct CTL_USAGE {
DWORD cUsageIdentifier;
LPSTR* rgpszUsageIdentifier;
}
alias CTL_USAGE CERT_ENHKEY_USAGE;
alias CTL_USAGE* PCTRL_USAGE, PCERT_ENHKEY_USAGE;
struct CERT_USAGE_MATCH {
DWORD dwType;
CERT_ENHKEY_USAGE Usage;
}
alias CERT_USAGE_MATCH* PCERT_USAGE_MATCH;
/* #if (_WIN32_WINNT>=0x500) */
struct CERT_CHAIN_PARA {
DWORD cbSize = CERT_CHAIN_PARA.sizeof;
CERT_USAGE_MATCH RequestedUsage;
//#if CERT_CHAIN_PARA_HAS_EXTRA_FIELDS
CERT_USAGE_MATCH RequestedIssuancePolicy;
DWORD dwUrlRetrievalTimeout;
BOOL fCheckRevocationFreshnessTime;
DWORD dwRevocationFreshnessTime;
//#endif
}
alias CERT_CHAIN_PARA* PCERT_CHAIN_PARA;
extern (Windows) alias BOOL function(PCCERT_CONTEXT, void*)
PFN_CERT_CHAIN_FIND_BY_ISSUER_CALLBACK;
struct CERT_CHAIN_FIND_BY_ISSUER_PARA {
DWORD cbSize = CERT_CHAIN_FIND_BY_ISSUER_PARA.sizeof;
LPCSTR pszUsageIdentifier;
DWORD dwKeySpec;
DWORD dwAcquirePrivateKeyFlags;
DWORD cIssuer;
CERT_NAME_BLOB* rgIssuer;
PFN_CERT_CHAIN_FIND_BY_ISSUER_CALLBACK pfnFIndCallback;
void* pvFindArg;
DWORD* pdwIssuerChainIndex;
DWORD* pdwIssuerElementIndex;
}
alias CERT_CHAIN_FIND_BY_ISSUER_PARA* PCERT_CHAIN_FIND_BY_ISSUER_PARA;
/* #endif */
struct CERT_TRUST_STATUS {
DWORD dwErrorStatus;
DWORD dwInfoStatus;
}
alias CERT_TRUST_STATUS* PCERT_TRUST_STATUS;
struct CRL_ENTRY {
CRYPT_INTEGER_BLOB SerialNumber;
FILETIME RevocationDate;
DWORD cExtension;
PCERT_EXTENSION rgExtension;
}
alias CRL_ENTRY* PCRL_ENTRY;
struct CRL_INFO {
DWORD dwVersion;
CRYPT_ALGORITHM_IDENTIFIER SignatureAlgorithm;
CERT_NAME_BLOB Issuer;
FILETIME ThisUpdate;
FILETIME NextUpdate;
DWORD cCRLEntry;
PCRL_ENTRY rgCRLEntry;
DWORD cExtension;
PCERT_EXTENSION rgExtension;
}
alias CRL_INFO* PCRL_INFO;
struct CRL_CONTEXT {
DWORD dwCertEncodingType;
BYTE* pbCrlEncoded;
DWORD cbCrlEncoded;
PCRL_INFO pCrlInfo;
HCERTSTORE hCertStore;
}
alias CRL_CONTEXT* PCRL_CONTEXT;
alias const(CRL_CONTEXT)* PCCRL_CONTEXT;
struct CERT_REVOCATION_CRL_INFO {
DWORD cbSize = CERT_REVOCATION_CRL_INFO.sizeof;
PCCRL_CONTEXT pBaseCRLContext;
PCCRL_CONTEXT pDeltaCRLContext;
PCRL_ENTRY pCrlEntry;
BOOL fDeltaCrlEntry;
}
alias CERT_REVOCATION_CRL_INFO* PCERT_REVOCATION_CRL_INFO;
struct CERT_REVOCATION_INFO {
DWORD cbSize = CERT_REVOCATION_INFO.sizeof;
DWORD dwRevocationResult;
LPCSTR pszRevocationOid;
LPVOID pvOidSpecificInfo;
BOOL fHasFreshnessTime;
DWORD dwFreshnessTime;
PCERT_REVOCATION_CRL_INFO pCrlInfo;
}
alias CERT_REVOCATION_INFO* PCERT_REVOCATION_INFO;
/* #if (_WIN32_WINNT>=0x500) */
struct CERT_CHAIN_ELEMENT {
DWORD cbSize = CERT_CHAIN_ELEMENT.sizeof;
PCCERT_CONTEXT pCertContext;
CERT_TRUST_STATUS TrustStatus;
PCERT_REVOCATION_INFO pRevocationInfo;
PCERT_ENHKEY_USAGE pIssuanceUsage;
PCERT_ENHKEY_USAGE pApplicationUsage;
}
alias CERT_CHAIN_ELEMENT* PCERT_CHAIN_ELEMENT;
/* #endif */
struct CRYPT_ATTRIBUTE {
LPSTR pszObjId;
DWORD cValue;
PCRYPT_ATTR_BLOB rgValue;
}
alias CRYPT_ATTRIBUTE* PCRYPT_ATTRIBUTE;
struct CTL_ENTRY {
CRYPT_DATA_BLOB SubjectIdentifier;
DWORD cAttribute;
PCRYPT_ATTRIBUTE rgAttribute;
}
alias CTL_ENTRY* PCTL_ENTRY;
struct CTL_INFO {
DWORD dwVersion;
CTL_USAGE SubjectUsage;
CRYPT_DATA_BLOB ListIdentifier;
CRYPT_INTEGER_BLOB SequenceNumber;
FILETIME ThisUpdate;
FILETIME NextUpdate;
CRYPT_ALGORITHM_IDENTIFIER SubjectAlgorithm;
DWORD cCTLEntry;
PCTL_ENTRY rgCTLEntry;
DWORD cExtension;
PCERT_EXTENSION rgExtension;
}
alias CTL_INFO* PCTL_INFO;
struct CTL_CONTEXT {
DWORD dwMsgAndCertEncodingType;
BYTE* pbCtlEncoded;
DWORD cbCtlEncoded;
PCTL_INFO pCtlInfo;
HCERTSTORE hCertStore;
HCRYPTMSG hCryptMsg;
BYTE* pbCtlContent;
DWORD cbCtlContent;
}
alias CTL_CONTEXT* PCTL_CONTEXT;
alias const(CTL_CONTEXT)* PCCTL_CONTEXT;
struct CERT_TRUST_LIST_INFO {
DWORD cbSize = CERT_TRUST_LIST_INFO.sizeof;
PCTL_ENTRY pCtlEntry;
PCCTL_CONTEXT pCtlContext;
}
alias CERT_TRUST_LIST_INFO* PCERT_TRUST_LIST_INFO;
struct CERT_SIMPLE_CHAIN {
DWORD cbSize = CERT_SIMPLE_CHAIN.sizeof;
CERT_TRUST_STATUS TrustStatus;
DWORD cElement;
PCERT_CHAIN_ELEMENT* rgpElement;
PCERT_TRUST_LIST_INFO pTrustListInfo;
BOOL fHasRevocationFreshnessTime;
DWORD dwRevocationFreshnessTime;
}
alias CERT_SIMPLE_CHAIN* PCERT_SIMPLE_CHAIN;
/* #if (_WIN32_WINNT>=0x500) */
alias const(CERT_CHAIN_CONTEXT)* PCCERT_CHAIN_CONTEXT;
struct CERT_CHAIN_CONTEXT {
DWORD cbSize = CERT_CHAIN_CONTEXT.sizeof;
CERT_TRUST_STATUS TrustStatus;
DWORD cChain;
PCERT_SIMPLE_CHAIN* rgpChain;
DWORD cLowerQualityChainContext;
PCCERT_CHAIN_CONTEXT* rgpLowerQualityChainContext;
BOOL fHasRevocationFreshnessTime;
DWORD dwRevocationFreshnessTime;
}
alias CERT_CHAIN_CONTEXT* PCERT_CHAIN_CONTEXT;
/* #endif */
struct PROV_ENUMALGS {
ALG_ID aiAlgid;
DWORD dwBitLen;
DWORD dwNameLen;
CHAR[20] szName;
}
struct PUBLICKEYSTRUC {
BYTE bType;
BYTE bVersion;
WORD reserved;
ALG_ID aiKeyAlg;
}
alias PUBLICKEYSTRUC BLOBHEADER;
struct RSAPUBKEY {
DWORD magic;
DWORD bitlen;
DWORD pubexp;
}
struct HMAC_INFO {
ALG_ID HashAlgid;
BYTE* pbInnerString;
DWORD cbInnerString;
BYTE* pbOuterString;
DWORD cbOuterString;
}
alias HMAC_INFO* PHMAC_INFO;
extern (Windows) {
BOOL CertCloseStore(HCERTSTORE, DWORD);
BOOL CertGetCertificateChain(HCERTCHAINENGINE, PCCERT_CONTEXT, LPFILETIME,
HCERTSTORE, PCERT_CHAIN_PARA, DWORD, LPVOID, PCCERT_CHAIN_CONTEXT*);
BOOL CertVerifyCertificateChainPolicy(LPCSTR, PCCERT_CHAIN_CONTEXT,
PCERT_CHAIN_POLICY_PARA, PCERT_CHAIN_POLICY_STATUS);
void CertFreeCertificateChain(PCCERT_CHAIN_CONTEXT);
DWORD CertNameToStrA(DWORD, PCERT_NAME_BLOB, DWORD, LPSTR, DWORD);
DWORD CertNameToStrW(DWORD, PCERT_NAME_BLOB, DWORD, LPWSTR, DWORD);
HCERTSTORE CertOpenSystemStoreA(HCRYPTPROV, LPCSTR);
HCERTSTORE CertOpenSystemStoreW(HCRYPTPROV, LPCWSTR);
HCERTSTORE CertOpenStore(LPCSTR, DWORD, HCRYPTPROV, DWORD, const(void)*);
PCCERT_CONTEXT CertFindCertificateInStore(HCERTSTORE, DWORD, DWORD, DWORD,
const(void)*, PCCERT_CONTEXT);
BOOL CertFreeCertificateContext(PCCERT_CONTEXT);
PCCERT_CONTEXT CertGetIssuerCertificateFromStore(HCERTSTORE,
PCCERT_CONTEXT, PCCERT_CONTEXT, DWORD*);
PCCERT_CHAIN_CONTEXT CertFindChainInStore(HCERTSTORE, DWORD, DWORD, DWORD,
const(void)*, PCCERT_CHAIN_CONTEXT);
BOOL CryptAcquireContextA(HCRYPTPROV*, LPCSTR, LPCSTR, DWORD, DWORD);
BOOL CryptAcquireContextW(HCRYPTPROV*, LPCWSTR, LPCWSTR, DWORD, DWORD);
BOOL CryptContextAddRef(HCRYPTPROV, DWORD*, DWORD);
BOOL CryptReleaseContext(HCRYPTPROV, DWORD);
BOOL CryptGenKey(HCRYPTPROV, ALG_ID, DWORD, HCRYPTKEY*);
BOOL CryptDeriveKey(HCRYPTPROV, ALG_ID, HCRYPTHASH, DWORD, HCRYPTKEY*);
BOOL CryptDestroyKey(HCRYPTKEY);
static if (_WIN32_WINNT >= 0x500) {
BOOL CryptDuplicateHash(HCRYPTHASH, DWORD*, DWORD, HCRYPTHASH*);
BOOL CryptDuplicateKey(HCRYPTKEY, DWORD*, DWORD, HCRYPTKEY*);
}
BOOL CryptSetKeyParam(HCRYPTKEY, DWORD, PBYTE, DWORD);
BOOL CryptGetKeyParam(HCRYPTKEY, DWORD, PBYTE, PDWORD, DWORD);
BOOL CryptSetHashParam(HCRYPTHASH, DWORD, PBYTE, DWORD);
BOOL CryptGetHashParam(HCRYPTHASH, DWORD, PBYTE, PDWORD, DWORD);
BOOL CryptSetProvParam(HCRYPTPROV, DWORD, PBYTE, DWORD);
BOOL CryptGetProvParam(HCRYPTPROV, DWORD, PBYTE, PDWORD, DWORD);
BOOL CryptGenRandom(HCRYPTPROV, DWORD, PBYTE);
BOOL CryptGetUserKey(HCRYPTPROV, DWORD, HCRYPTKEY*);
BOOL CryptExportKey(HCRYPTKEY, HCRYPTKEY, DWORD, DWORD, PBYTE, PDWORD);
BOOL CryptImportKey(HCRYPTPROV, PBYTE, DWORD, HCRYPTKEY, DWORD,
HCRYPTKEY*);
BOOL CryptEncrypt(HCRYPTKEY, HCRYPTHASH, BOOL, DWORD, PBYTE, PDWORD,
DWORD);
BOOL CryptDecrypt(HCRYPTKEY, HCRYPTHASH, BOOL, DWORD, PBYTE, PDWORD);
BOOL CryptCreateHash(HCRYPTPROV, ALG_ID, HCRYPTKEY, DWORD, HCRYPTHASH*);
BOOL CryptHashData(HCRYPTHASH, PBYTE, DWORD, DWORD);
BOOL CryptHashSessionKey(HCRYPTHASH, HCRYPTKEY, DWORD);
BOOL CryptGetHashValue(HCRYPTHASH, DWORD, PBYTE, PDWORD);
BOOL CryptDestroyHash(HCRYPTHASH);
BOOL CryptSignHashA(HCRYPTHASH, DWORD, LPCSTR, DWORD, PBYTE, PDWORD);
BOOL CryptSignHashW(HCRYPTHASH, DWORD, LPCWSTR, DWORD, PBYTE, PDWORD);
BOOL CryptVerifySignatureA(HCRYPTHASH, PBYTE, DWORD, HCRYPTKEY, LPCSTR,
DWORD);
BOOL CryptVerifySignatureW(HCRYPTHASH, PBYTE, DWORD, HCRYPTKEY, LPCWSTR,
DWORD);
BOOL CryptSetProviderA(LPCSTR, DWORD);
BOOL CryptSetProviderW(LPCWSTR, DWORD);
}
version (Unicode) {
alias CertNameToStrW CertNameToStr;
alias CryptAcquireContextW CryptAcquireContext;
alias CryptSignHashW CryptSignHash;
alias CryptVerifySignatureW CryptVerifySignature;
alias CryptSetProviderW CryptSetProvider;
alias CertOpenSystemStoreW CertOpenSystemStore;
/+alias CERT_FIND_SUBJECT_STR_W CERT_FIND_SUBJECT_STR;
alias CERT_FIND_ISSUER_STR_W CERT_FIND_ISSUER_STR;+/
} else {
alias CertNameToStrA CertNameToStr;
alias CryptAcquireContextA CryptAcquireContext;
alias CryptSignHashA CryptSignHash;
alias CryptVerifySignatureA CryptVerifySignature;
alias CryptSetProviderA CryptSetProvider;
alias CertOpenSystemStoreA CertOpenSystemStore;
/+alias CERT_FIND_SUBJECT_STR_A CERT_FIND_SUBJECT_STR;
alias CERT_FIND_ISSUER_STR_A CERT_FIND_ISSUER_STR;+/
}
| D |
/Users/Leex/TableView_Test2/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/GroupBy.o : /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Reactive.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Errors.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/AtomicInt.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Event.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Rx.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /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/Leex/TableView_Test2/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Leex/TableView_Test2/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Leex/TableView_Test2/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/GroupBy~partial.swiftmodule : /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Reactive.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Errors.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/AtomicInt.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Event.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Rx.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /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/Leex/TableView_Test2/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Leex/TableView_Test2/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Leex/TableView_Test2/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/GroupBy~partial.swiftdoc : /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Reactive.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Errors.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/AtomicInt.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Event.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Rx.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Leex/TableView_Test2/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Leex/TableView_Test2/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /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/Leex/TableView_Test2/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Leex/TableView_Test2/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
import core.simd;
extern(C) float8 shufps0(float8, float8);
extern(C) float8 shufps1(float8, float8);
extern(C) float8 shufps2(float8, float8);
extern(C) float8 shufps3(float8, float8);
extern(C) float8 shufps4(float8, float8);
extern(C) float8 shufps5(float8, float8);
extern(C) float8 shufps6(float8, float8);
extern(C) float8 shufps7(float8, float8);
extern(C) float8 shufps8(float8, float8);
extern(C) float8 shufps9(float8, float8);
extern(C) float8 shufps10(float8, float8);
extern(C) float8 shufps11(float8, float8);
extern(C) float8 shufps12(float8, float8);
extern(C) float8 shufps13(float8, float8);
extern(C) float8 shufps14(float8, float8);
extern(C) float8 shufps15(float8, float8);
extern(C) float8 shufps16(float8, float8);
extern(C) float8 shufps17(float8, float8);
extern(C) float8 shufps18(float8, float8);
extern(C) float8 shufps19(float8, float8);
extern(C) float8 shufps20(float8, float8);
extern(C) float8 shufps21(float8, float8);
extern(C) float8 shufps22(float8, float8);
extern(C) float8 shufps23(float8, float8);
extern(C) float8 shufps24(float8, float8);
extern(C) float8 shufps25(float8, float8);
extern(C) float8 shufps26(float8, float8);
extern(C) float8 shufps27(float8, float8);
extern(C) float8 shufps28(float8, float8);
extern(C) float8 shufps29(float8, float8);
extern(C) float8 shufps30(float8, float8);
extern(C) float8 shufps31(float8, float8);
extern(C) float8 shufps32(float8, float8);
extern(C) float8 shufps33(float8, float8);
extern(C) float8 shufps34(float8, float8);
extern(C) float8 shufps35(float8, float8);
extern(C) float8 shufps36(float8, float8);
extern(C) float8 shufps37(float8, float8);
extern(C) float8 shufps38(float8, float8);
extern(C) float8 shufps39(float8, float8);
extern(C) float8 shufps40(float8, float8);
extern(C) float8 shufps41(float8, float8);
extern(C) float8 shufps42(float8, float8);
extern(C) float8 shufps43(float8, float8);
extern(C) float8 shufps44(float8, float8);
extern(C) float8 shufps45(float8, float8);
extern(C) float8 shufps46(float8, float8);
extern(C) float8 shufps47(float8, float8);
extern(C) float8 shufps48(float8, float8);
extern(C) float8 shufps49(float8, float8);
extern(C) float8 shufps50(float8, float8);
extern(C) float8 shufps51(float8, float8);
extern(C) float8 shufps52(float8, float8);
extern(C) float8 shufps53(float8, float8);
extern(C) float8 shufps54(float8, float8);
extern(C) float8 shufps55(float8, float8);
extern(C) float8 shufps56(float8, float8);
extern(C) float8 shufps57(float8, float8);
extern(C) float8 shufps58(float8, float8);
extern(C) float8 shufps59(float8, float8);
extern(C) float8 shufps60(float8, float8);
extern(C) float8 shufps61(float8, float8);
extern(C) float8 shufps62(float8, float8);
extern(C) float8 shufps63(float8, float8);
extern(C) float8 shufps64(float8, float8);
extern(C) float8 shufps65(float8, float8);
extern(C) float8 shufps66(float8, float8);
extern(C) float8 shufps67(float8, float8);
extern(C) float8 shufps68(float8, float8);
extern(C) float8 shufps69(float8, float8);
extern(C) float8 shufps70(float8, float8);
extern(C) float8 shufps71(float8, float8);
extern(C) float8 shufps72(float8, float8);
extern(C) float8 shufps73(float8, float8);
extern(C) float8 shufps74(float8, float8);
extern(C) float8 shufps75(float8, float8);
extern(C) float8 shufps76(float8, float8);
extern(C) float8 shufps77(float8, float8);
extern(C) float8 shufps78(float8, float8);
extern(C) float8 shufps79(float8, float8);
extern(C) float8 shufps80(float8, float8);
extern(C) float8 shufps81(float8, float8);
extern(C) float8 shufps82(float8, float8);
extern(C) float8 shufps83(float8, float8);
extern(C) float8 shufps84(float8, float8);
extern(C) float8 shufps85(float8, float8);
extern(C) float8 shufps86(float8, float8);
extern(C) float8 shufps87(float8, float8);
extern(C) float8 shufps88(float8, float8);
extern(C) float8 shufps89(float8, float8);
extern(C) float8 shufps90(float8, float8);
extern(C) float8 shufps91(float8, float8);
extern(C) float8 shufps92(float8, float8);
extern(C) float8 shufps93(float8, float8);
extern(C) float8 shufps94(float8, float8);
extern(C) float8 shufps95(float8, float8);
extern(C) float8 shufps96(float8, float8);
extern(C) float8 shufps97(float8, float8);
extern(C) float8 shufps98(float8, float8);
extern(C) float8 shufps99(float8, float8);
extern(C) float8 shufps100(float8, float8);
extern(C) float8 shufps101(float8, float8);
extern(C) float8 shufps102(float8, float8);
extern(C) float8 shufps103(float8, float8);
extern(C) float8 shufps104(float8, float8);
extern(C) float8 shufps105(float8, float8);
extern(C) float8 shufps106(float8, float8);
extern(C) float8 shufps107(float8, float8);
extern(C) float8 shufps108(float8, float8);
extern(C) float8 shufps109(float8, float8);
extern(C) float8 shufps110(float8, float8);
extern(C) float8 shufps111(float8, float8);
extern(C) float8 shufps112(float8, float8);
extern(C) float8 shufps113(float8, float8);
extern(C) float8 shufps114(float8, float8);
extern(C) float8 shufps115(float8, float8);
extern(C) float8 shufps116(float8, float8);
extern(C) float8 shufps117(float8, float8);
extern(C) float8 shufps118(float8, float8);
extern(C) float8 shufps119(float8, float8);
extern(C) float8 shufps120(float8, float8);
extern(C) float8 shufps121(float8, float8);
extern(C) float8 shufps122(float8, float8);
extern(C) float8 shufps123(float8, float8);
extern(C) float8 shufps124(float8, float8);
extern(C) float8 shufps125(float8, float8);
extern(C) float8 shufps126(float8, float8);
extern(C) float8 shufps127(float8, float8);
extern(C) float8 shufps128(float8, float8);
extern(C) float8 shufps129(float8, float8);
extern(C) float8 shufps130(float8, float8);
extern(C) float8 shufps131(float8, float8);
extern(C) float8 shufps132(float8, float8);
extern(C) float8 shufps133(float8, float8);
extern(C) float8 shufps134(float8, float8);
extern(C) float8 shufps135(float8, float8);
extern(C) float8 shufps136(float8, float8);
extern(C) float8 shufps137(float8, float8);
extern(C) float8 shufps138(float8, float8);
extern(C) float8 shufps139(float8, float8);
extern(C) float8 shufps140(float8, float8);
extern(C) float8 shufps141(float8, float8);
extern(C) float8 shufps142(float8, float8);
extern(C) float8 shufps143(float8, float8);
extern(C) float8 shufps144(float8, float8);
extern(C) float8 shufps145(float8, float8);
extern(C) float8 shufps146(float8, float8);
extern(C) float8 shufps147(float8, float8);
extern(C) float8 shufps148(float8, float8);
extern(C) float8 shufps149(float8, float8);
extern(C) float8 shufps150(float8, float8);
extern(C) float8 shufps151(float8, float8);
extern(C) float8 shufps152(float8, float8);
extern(C) float8 shufps153(float8, float8);
extern(C) float8 shufps154(float8, float8);
extern(C) float8 shufps155(float8, float8);
extern(C) float8 shufps156(float8, float8);
extern(C) float8 shufps157(float8, float8);
extern(C) float8 shufps158(float8, float8);
extern(C) float8 shufps159(float8, float8);
extern(C) float8 shufps160(float8, float8);
extern(C) float8 shufps161(float8, float8);
extern(C) float8 shufps162(float8, float8);
extern(C) float8 shufps163(float8, float8);
extern(C) float8 shufps164(float8, float8);
extern(C) float8 shufps165(float8, float8);
extern(C) float8 shufps166(float8, float8);
extern(C) float8 shufps167(float8, float8);
extern(C) float8 shufps168(float8, float8);
extern(C) float8 shufps169(float8, float8);
extern(C) float8 shufps170(float8, float8);
extern(C) float8 shufps171(float8, float8);
extern(C) float8 shufps172(float8, float8);
extern(C) float8 shufps173(float8, float8);
extern(C) float8 shufps174(float8, float8);
extern(C) float8 shufps175(float8, float8);
extern(C) float8 shufps176(float8, float8);
extern(C) float8 shufps177(float8, float8);
extern(C) float8 shufps178(float8, float8);
extern(C) float8 shufps179(float8, float8);
extern(C) float8 shufps180(float8, float8);
extern(C) float8 shufps181(float8, float8);
extern(C) float8 shufps182(float8, float8);
extern(C) float8 shufps183(float8, float8);
extern(C) float8 shufps184(float8, float8);
extern(C) float8 shufps185(float8, float8);
extern(C) float8 shufps186(float8, float8);
extern(C) float8 shufps187(float8, float8);
extern(C) float8 shufps188(float8, float8);
extern(C) float8 shufps189(float8, float8);
extern(C) float8 shufps190(float8, float8);
extern(C) float8 shufps191(float8, float8);
extern(C) float8 shufps192(float8, float8);
extern(C) float8 shufps193(float8, float8);
extern(C) float8 shufps194(float8, float8);
extern(C) float8 shufps195(float8, float8);
extern(C) float8 shufps196(float8, float8);
extern(C) float8 shufps197(float8, float8);
extern(C) float8 shufps198(float8, float8);
extern(C) float8 shufps199(float8, float8);
extern(C) float8 shufps200(float8, float8);
extern(C) float8 shufps201(float8, float8);
extern(C) float8 shufps202(float8, float8);
extern(C) float8 shufps203(float8, float8);
extern(C) float8 shufps204(float8, float8);
extern(C) float8 shufps205(float8, float8);
extern(C) float8 shufps206(float8, float8);
extern(C) float8 shufps207(float8, float8);
extern(C) float8 shufps208(float8, float8);
extern(C) float8 shufps209(float8, float8);
extern(C) float8 shufps210(float8, float8);
extern(C) float8 shufps211(float8, float8);
extern(C) float8 shufps212(float8, float8);
extern(C) float8 shufps213(float8, float8);
extern(C) float8 shufps214(float8, float8);
extern(C) float8 shufps215(float8, float8);
extern(C) float8 shufps216(float8, float8);
extern(C) float8 shufps217(float8, float8);
extern(C) float8 shufps218(float8, float8);
extern(C) float8 shufps219(float8, float8);
extern(C) float8 shufps220(float8, float8);
extern(C) float8 shufps221(float8, float8);
extern(C) float8 shufps222(float8, float8);
extern(C) float8 shufps223(float8, float8);
extern(C) float8 shufps224(float8, float8);
extern(C) float8 shufps225(float8, float8);
extern(C) float8 shufps226(float8, float8);
extern(C) float8 shufps227(float8, float8);
extern(C) float8 shufps228(float8, float8);
extern(C) float8 shufps229(float8, float8);
extern(C) float8 shufps230(float8, float8);
extern(C) float8 shufps231(float8, float8);
extern(C) float8 shufps232(float8, float8);
extern(C) float8 shufps233(float8, float8);
extern(C) float8 shufps234(float8, float8);
extern(C) float8 shufps235(float8, float8);
extern(C) float8 shufps236(float8, float8);
extern(C) float8 shufps237(float8, float8);
extern(C) float8 shufps238(float8, float8);
extern(C) float8 shufps239(float8, float8);
extern(C) float8 shufps240(float8, float8);
extern(C) float8 shufps241(float8, float8);
extern(C) float8 shufps242(float8, float8);
extern(C) float8 shufps243(float8, float8);
extern(C) float8 shufps244(float8, float8);
extern(C) float8 shufps245(float8, float8);
extern(C) float8 shufps246(float8, float8);
extern(C) float8 shufps247(float8, float8);
extern(C) float8 shufps248(float8, float8);
extern(C) float8 shufps249(float8, float8);
extern(C) float8 shufps250(float8, float8);
extern(C) float8 shufps251(float8, float8);
extern(C) float8 shufps252(float8, float8);
extern(C) float8 shufps253(float8, float8);
extern(C) float8 shufps254(float8, float8);
extern(C) float8 shufps255(float8, float8);
auto shufps(int m0, int m1, int m2, int m3)(float8 a, float8 b)
{
enum sm = m3 | (m2<<2) | (m1<<4) | (m0<<6);
mixin("auto r = shufps" ~ sm.stringof ~ "(a, b);");
return r;
}
extern(C) float8 insert128_0(float8, float4);
extern(C) float8 insert128_1(float8, float4);
extern(C) float4 extract128_0(float8);
extern(C) float4 extract128_1(float8);
extern(C) float8 interleave128_lo(float8, float8);
extern(C) float8 interleave128_hi(float8, float8);
extern(C) float8 broadcast128(float4*);
extern(C) float8 unpckhps(float8, float8);
extern(C) float8 unpcklps(float8, float8);
extern(C) double4 unpckhpd(double4, double4);
extern(C) double4 unpcklpd(double4, double4);
extern(C) double4 interleave128_lo_d(double4, double4);
extern(C) double4 interleave128_hi_d(double4, double4);
| D |
module UnrealScript.UTGame.UTPickupInventory;
import ScriptClasses;
import UnrealScript.Helpers;
import UnrealScript.UTGame.UTInventory;
import UnrealScript.Engine.Pawn;
import UnrealScript.Engine.Controller;
import UnrealScript.Engine.Actor;
extern(C++) interface UTPickupInventory : UTInventory
{
public extern(D):
private static __gshared ScriptClass mStaticClass;
@property final static ScriptClass StaticClass() { mixin(MGSCC("Class UTGame.UTPickupInventory")); }
private static __gshared UTPickupInventory mDefaultProperties;
@property final static UTPickupInventory DefaultProperties() { mixin(MGDPC("UTPickupInventory", "UTPickupInventory UTGame.Default__UTPickupInventory")); }
static struct Functions
{
private static __gshared ScriptFunction mBotDesireability;
public @property static final ScriptFunction BotDesireability() { mixin(MGF("mBotDesireability", "Function UTGame.UTPickupInventory.BotDesireability")); }
}
final static float BotDesireability(Actor PickupHolder, Pawn P, Controller C)
{
ubyte params[16];
params[] = 0;
*cast(Actor*)params.ptr = PickupHolder;
*cast(Pawn*)¶ms[4] = P;
*cast(Controller*)¶ms[8] = C;
StaticClass.ProcessEvent(Functions.BotDesireability, params.ptr, cast(void*)0);
return *cast(float*)¶ms[12];
}
}
| D |
/Users/root1/swift/mus/Build/Intermediates.noindex/mus.build/Debug/mus.build/Objects-normal/x86_64/ViewController.o : /Users/root1/swift/mus/mus/AppDelegate.swift /Users/root1/swift/mus/mus/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/xpc/XPC.apinotes /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/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.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/System/Library/Frameworks/Metal.framework/Headers/Metal.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/AVFoundation.framework/Headers/AVFoundation.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/AppKit.framework/Headers/AppKit.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/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/root1/swift/mus/Build/Intermediates.noindex/mus.build/Debug/mus.build/Objects-normal/x86_64/ViewController~partial.swiftmodule : /Users/root1/swift/mus/mus/AppDelegate.swift /Users/root1/swift/mus/mus/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/xpc/XPC.apinotes /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/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.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/System/Library/Frameworks/Metal.framework/Headers/Metal.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/AVFoundation.framework/Headers/AVFoundation.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/AppKit.framework/Headers/AppKit.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/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/root1/swift/mus/Build/Intermediates.noindex/mus.build/Debug/mus.build/Objects-normal/x86_64/ViewController~partial.swiftdoc : /Users/root1/swift/mus/mus/AppDelegate.swift /Users/root1/swift/mus/mus/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/xpc/XPC.apinotes /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/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.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/System/Library/Frameworks/Metal.framework/Headers/Metal.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/AVFoundation.framework/Headers/AVFoundation.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/AppKit.framework/Headers/AppKit.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/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
// { dg-options "-Wall -Werror" }
import gcc.builtins;
char *bug260(char *buffer)
{
return __builtin_strcat(&buffer[0], "Li");
}
| D |
witty language used to convey insults or scorn
| D |
/*
* Licensed under the GNU Lesser General Public License Version 3
*
* This library is free software: you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as published by
* the Free Software Foundation, either version 3 of the license, or
* (at your option) any later version.
*
* This software is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public License
* along with this library. If not, see <http://www.gnu.org/licenses/>.
*/
// generated automatically - do not change
module gio.DataInputStream;
private import gi.gio;
public import gi.giotypes;
private import gio.AsyncResultIF;
private import gio.BufferedInputStream;
private import gio.Cancellable;
private import gio.InputStream;
private import glib.ConstructionException;
private import glib.ErrorG;
private import glib.GException;
private import glib.Str;
private import gobject.ObjectG;
/**
* Data input stream implements #GInputStream and includes functions for
* reading structured data directly from a binary input stream.
*/
public class DataInputStream : BufferedInputStream
{
/** the main GObject struct */
protected GDataInputStream* gDataInputStream;
/** Get the main GObject struct */
public GDataInputStream* getDataInputStreamStruct()
{
return gDataInputStream;
}
/** the main GObject struct as a void* */
protected override void* getStruct()
{
return cast(void*)gDataInputStream;
}
protected override void setStruct(GObject* obj)
{
gDataInputStream = cast(GDataInputStream*)obj;
super.setStruct(obj);
}
/**
* Sets our main struct and passes it to the parent class.
*/
public this (GDataInputStream* gDataInputStream, bool ownedRef = false)
{
this.gDataInputStream = gDataInputStream;
super(cast(GBufferedInputStream*)gDataInputStream, ownedRef);
}
/** */
public static GType getType()
{
return g_data_input_stream_get_type();
}
/**
* Creates a new data input stream for the @base_stream.
*
* Params:
* baseStream = a #GInputStream.
*
* Return: a new #GDataInputStream.
*
* Throws: ConstructionException Failure to create GObject.
*/
public this(InputStream baseStream)
{
auto p = g_data_input_stream_new((baseStream is null) ? null : baseStream.getInputStreamStruct());
if(p is null)
{
throw new ConstructionException("null returned by new");
}
this(cast(GDataInputStream*) p, true);
}
/**
* Gets the byte order for the data input stream.
*
* Return: the @stream's current #GDataStreamByteOrder.
*/
public GDataStreamByteOrder getByteOrder()
{
return g_data_input_stream_get_byte_order(gDataInputStream);
}
/**
* Gets the current newline type for the @stream.
*
* Return: #GDataStreamNewlineType for the given @stream.
*/
public GDataStreamNewlineType getNewlineType()
{
return g_data_input_stream_get_newline_type(gDataInputStream);
}
/**
* Reads a 16-bit/2-byte value from @stream.
*
* In order to get the correct byte order for this read operation,
* see g_data_input_stream_get_byte_order() and g_data_input_stream_set_byte_order().
*
* Params:
* cancellable = optional #GCancellable object, %NULL to ignore.
*
* Return: a signed 16-bit/2-byte value read from @stream or %0 if
* an error occurred.
*
* Throws: GException on failure.
*/
public short readInt16(Cancellable cancellable)
{
GError* err = null;
auto p = g_data_input_stream_read_int16(gDataInputStream, (cancellable is null) ? null : cancellable.getCancellableStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Reads a signed 32-bit/4-byte value from @stream.
*
* In order to get the correct byte order for this read operation,
* see g_data_input_stream_get_byte_order() and g_data_input_stream_set_byte_order().
*
* If @cancellable is not %NULL, then the operation can be cancelled by
* triggering the cancellable object from another thread. If the operation
* was cancelled, the error %G_IO_ERROR_CANCELLED will be returned.
*
* Params:
* cancellable = optional #GCancellable object, %NULL to ignore.
*
* Return: a signed 32-bit/4-byte value read from the @stream or %0 if
* an error occurred.
*
* Throws: GException on failure.
*/
public int readInt32(Cancellable cancellable)
{
GError* err = null;
auto p = g_data_input_stream_read_int32(gDataInputStream, (cancellable is null) ? null : cancellable.getCancellableStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Reads a 64-bit/8-byte value from @stream.
*
* In order to get the correct byte order for this read operation,
* see g_data_input_stream_get_byte_order() and g_data_input_stream_set_byte_order().
*
* If @cancellable is not %NULL, then the operation can be cancelled by
* triggering the cancellable object from another thread. If the operation
* was cancelled, the error %G_IO_ERROR_CANCELLED will be returned.
*
* Params:
* cancellable = optional #GCancellable object, %NULL to ignore.
*
* Return: a signed 64-bit/8-byte value read from @stream or %0 if
* an error occurred.
*
* Throws: GException on failure.
*/
public long readInt64(Cancellable cancellable)
{
GError* err = null;
auto p = g_data_input_stream_read_int64(gDataInputStream, (cancellable is null) ? null : cancellable.getCancellableStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Reads a line from the data input stream. Note that no encoding
* checks or conversion is performed; the input is not guaranteed to
* be UTF-8, and may in fact have embedded NUL characters.
*
* If @cancellable is not %NULL, then the operation can be cancelled by
* triggering the cancellable object from another thread. If the operation
* was cancelled, the error %G_IO_ERROR_CANCELLED will be returned.
*
* Params:
* length = a #gsize to get the length of the data read in.
* cancellable = optional #GCancellable object, %NULL to ignore.
*
* Return: a NUL terminated byte array with the line that was read in
* (without the newlines). Set @length to a #gsize to get the length
* of the read line. On an error, it will return %NULL and @error
* will be set. If there's no content to read, it will still return
* %NULL, but @error won't be set.
*
* Throws: GException on failure.
*/
public string readLine(out size_t length, Cancellable cancellable)
{
GError* err = null;
auto p = g_data_input_stream_read_line(gDataInputStream, &length, (cancellable is null) ? null : cancellable.getCancellableStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return Str.toString(p);
}
/**
* The asynchronous version of g_data_input_stream_read_line(). It is
* an error to have two outstanding calls to this function.
*
* When the operation is finished, @callback will be called. You
* can then call g_data_input_stream_read_line_finish() to get
* the result of the operation.
*
* Params:
* ioPriority = the [I/O priority][io-priority] of the request
* cancellable = optional #GCancellable object, %NULL to ignore.
* callback = callback to call when the request is satisfied.
* userData = the data to pass to callback function.
*
* Since: 2.20
*/
public void readLineAsync(int ioPriority, Cancellable cancellable, GAsyncReadyCallback callback, void* userData)
{
g_data_input_stream_read_line_async(gDataInputStream, ioPriority, (cancellable is null) ? null : cancellable.getCancellableStruct(), callback, userData);
}
/**
* Finish an asynchronous call started by
* g_data_input_stream_read_line_async(). Note the warning about
* string encoding in g_data_input_stream_read_line() applies here as
* well.
*
* Params:
* result = the #GAsyncResult that was provided to the callback.
* length = a #gsize to get the length of the data read in.
*
* Return: a NUL-terminated byte array with the line that was read in
* (without the newlines). Set @length to a #gsize to get the length
* of the read line. On an error, it will return %NULL and @error
* will be set. If there's no content to read, it will still return
* %NULL, but @error won't be set.
*
* Since: 2.20
*
* Throws: GException on failure.
*/
public string readLineFinish(AsyncResultIF result, out size_t length)
{
GError* err = null;
auto p = g_data_input_stream_read_line_finish(gDataInputStream, (result is null) ? null : result.getAsyncResultStruct(), &length, &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return Str.toString(p);
}
/**
* Finish an asynchronous call started by
* g_data_input_stream_read_line_async().
*
* Params:
* result = the #GAsyncResult that was provided to the callback.
* length = a #gsize to get the length of the data read in.
*
* Return: a string with the line that
* was read in (without the newlines). Set @length to a #gsize to
* get the length of the read line. On an error, it will return
* %NULL and @error will be set. For UTF-8 conversion errors, the set
* error domain is %G_CONVERT_ERROR. If there's no content to read,
* it will still return %NULL, but @error won't be set.
*
* Since: 2.30
*
* Throws: GException on failure.
*/
public string readLineFinishUtf8(AsyncResultIF result, out size_t length)
{
GError* err = null;
auto p = g_data_input_stream_read_line_finish_utf8(gDataInputStream, (result is null) ? null : result.getAsyncResultStruct(), &length, &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return Str.toString(p);
}
/**
* Reads a UTF-8 encoded line from the data input stream.
*
* If @cancellable is not %NULL, then the operation can be cancelled by
* triggering the cancellable object from another thread. If the operation
* was cancelled, the error %G_IO_ERROR_CANCELLED will be returned.
*
* Params:
* length = a #gsize to get the length of the data read in.
* cancellable = optional #GCancellable object, %NULL to ignore.
*
* Return: a NUL terminated UTF-8 string
* with the line that was read in (without the newlines). Set
* @length to a #gsize to get the length of the read line. On an
* error, it will return %NULL and @error will be set. For UTF-8
* conversion errors, the set error domain is %G_CONVERT_ERROR. If
* there's no content to read, it will still return %NULL, but @error
* won't be set.
*
* Since: 2.30
*
* Throws: GException on failure.
*/
public string readLineUtf8(out size_t length, Cancellable cancellable)
{
GError* err = null;
auto p = g_data_input_stream_read_line_utf8(gDataInputStream, &length, (cancellable is null) ? null : cancellable.getCancellableStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return Str.toString(p);
}
/**
* Reads an unsigned 16-bit/2-byte value from @stream.
*
* In order to get the correct byte order for this read operation,
* see g_data_input_stream_get_byte_order() and g_data_input_stream_set_byte_order().
*
* Params:
* cancellable = optional #GCancellable object, %NULL to ignore.
*
* Return: an unsigned 16-bit/2-byte value read from the @stream or %0 if
* an error occurred.
*
* Throws: GException on failure.
*/
public ushort readUint16(Cancellable cancellable)
{
GError* err = null;
auto p = g_data_input_stream_read_uint16(gDataInputStream, (cancellable is null) ? null : cancellable.getCancellableStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Reads an unsigned 32-bit/4-byte value from @stream.
*
* In order to get the correct byte order for this read operation,
* see g_data_input_stream_get_byte_order() and g_data_input_stream_set_byte_order().
*
* If @cancellable is not %NULL, then the operation can be cancelled by
* triggering the cancellable object from another thread. If the operation
* was cancelled, the error %G_IO_ERROR_CANCELLED will be returned.
*
* Params:
* cancellable = optional #GCancellable object, %NULL to ignore.
*
* Return: an unsigned 32-bit/4-byte value read from the @stream or %0 if
* an error occurred.
*
* Throws: GException on failure.
*/
public uint readUint32(Cancellable cancellable)
{
GError* err = null;
auto p = g_data_input_stream_read_uint32(gDataInputStream, (cancellable is null) ? null : cancellable.getCancellableStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Reads an unsigned 64-bit/8-byte value from @stream.
*
* In order to get the correct byte order for this read operation,
* see g_data_input_stream_get_byte_order().
*
* If @cancellable is not %NULL, then the operation can be cancelled by
* triggering the cancellable object from another thread. If the operation
* was cancelled, the error %G_IO_ERROR_CANCELLED will be returned.
*
* Params:
* cancellable = optional #GCancellable object, %NULL to ignore.
*
* Return: an unsigned 64-bit/8-byte read from @stream or %0 if
* an error occurred.
*
* Throws: GException on failure.
*/
public ulong readUint64(Cancellable cancellable)
{
GError* err = null;
auto p = g_data_input_stream_read_uint64(gDataInputStream, (cancellable is null) ? null : cancellable.getCancellableStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Reads a string from the data input stream, up to the first
* occurrence of any of the stop characters.
*
* Note that, in contrast to g_data_input_stream_read_until_async(),
* this function consumes the stop character that it finds.
*
* Don't use this function in new code. Its functionality is
* inconsistent with g_data_input_stream_read_until_async(). Both
* functions will be marked as deprecated in a future release. Use
* g_data_input_stream_read_upto() instead, but note that that function
* does not consume the stop character.
*
* Params:
* stopChars = characters to terminate the read.
* length = a #gsize to get the length of the data read in.
* cancellable = optional #GCancellable object, %NULL to ignore.
*
* Return: a string with the data that was read
* before encountering any of the stop characters. Set @length to
* a #gsize to get the length of the string. This function will
* return %NULL on an error.
*
* Throws: GException on failure.
*/
public string readUntil(string stopChars, out size_t length, Cancellable cancellable)
{
GError* err = null;
auto p = g_data_input_stream_read_until(gDataInputStream, Str.toStringz(stopChars), &length, (cancellable is null) ? null : cancellable.getCancellableStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return Str.toString(p);
}
/**
* The asynchronous version of g_data_input_stream_read_until().
* It is an error to have two outstanding calls to this function.
*
* Note that, in contrast to g_data_input_stream_read_until(),
* this function does not consume the stop character that it finds. You
* must read it for yourself.
*
* When the operation is finished, @callback will be called. You
* can then call g_data_input_stream_read_until_finish() to get
* the result of the operation.
*
* Don't use this function in new code. Its functionality is
* inconsistent with g_data_input_stream_read_until(). Both functions
* will be marked as deprecated in a future release. Use
* g_data_input_stream_read_upto_async() instead.
*
* Params:
* stopChars = characters to terminate the read.
* ioPriority = the [I/O priority][io-priority] of the request
* cancellable = optional #GCancellable object, %NULL to ignore.
* callback = callback to call when the request is satisfied.
* userData = the data to pass to callback function.
*
* Since: 2.20
*/
public void readUntilAsync(string stopChars, int ioPriority, Cancellable cancellable, GAsyncReadyCallback callback, void* userData)
{
g_data_input_stream_read_until_async(gDataInputStream, Str.toStringz(stopChars), ioPriority, (cancellable is null) ? null : cancellable.getCancellableStruct(), callback, userData);
}
/**
* Finish an asynchronous call started by
* g_data_input_stream_read_until_async().
*
* Params:
* result = the #GAsyncResult that was provided to the callback.
* length = a #gsize to get the length of the data read in.
*
* Return: a string with the data that was read
* before encountering any of the stop characters. Set @length to
* a #gsize to get the length of the string. This function will
* return %NULL on an error.
*
* Since: 2.20
*
* Throws: GException on failure.
*/
public string readUntilFinish(AsyncResultIF result, out size_t length)
{
GError* err = null;
auto p = g_data_input_stream_read_until_finish(gDataInputStream, (result is null) ? null : result.getAsyncResultStruct(), &length, &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return Str.toString(p);
}
/**
* Reads a string from the data input stream, up to the first
* occurrence of any of the stop characters.
*
* In contrast to g_data_input_stream_read_until(), this function
* does not consume the stop character. You have to use
* g_data_input_stream_read_byte() to get it before calling
* g_data_input_stream_read_upto() again.
*
* Note that @stop_chars may contain '\0' if @stop_chars_len is
* specified.
*
* Params:
* stopChars = characters to terminate the read
* stopCharsLen = length of @stop_chars. May be -1 if @stop_chars is
* nul-terminated
* length = a #gsize to get the length of the data read in
* cancellable = optional #GCancellable object, %NULL to ignore
*
* Return: a string with the data that was read
* before encountering any of the stop characters. Set @length to
* a #gsize to get the length of the string. This function will
* return %NULL on an error
*
* Since: 2.26
*
* Throws: GException on failure.
*/
public string readUpto(string stopChars, ptrdiff_t stopCharsLen, out size_t length, Cancellable cancellable)
{
GError* err = null;
auto p = g_data_input_stream_read_upto(gDataInputStream, Str.toStringz(stopChars), stopCharsLen, &length, (cancellable is null) ? null : cancellable.getCancellableStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return Str.toString(p);
}
/**
* The asynchronous version of g_data_input_stream_read_upto().
* It is an error to have two outstanding calls to this function.
*
* In contrast to g_data_input_stream_read_until(), this function
* does not consume the stop character. You have to use
* g_data_input_stream_read_byte() to get it before calling
* g_data_input_stream_read_upto() again.
*
* Note that @stop_chars may contain '\0' if @stop_chars_len is
* specified.
*
* When the operation is finished, @callback will be called. You
* can then call g_data_input_stream_read_upto_finish() to get
* the result of the operation.
*
* Params:
* stopChars = characters to terminate the read
* stopCharsLen = length of @stop_chars. May be -1 if @stop_chars is
* nul-terminated
* ioPriority = the [I/O priority][io-priority] of the request
* cancellable = optional #GCancellable object, %NULL to ignore
* callback = callback to call when the request is satisfied
* userData = the data to pass to callback function
*
* Since: 2.26
*/
public void readUptoAsync(string stopChars, ptrdiff_t stopCharsLen, int ioPriority, Cancellable cancellable, GAsyncReadyCallback callback, void* userData)
{
g_data_input_stream_read_upto_async(gDataInputStream, Str.toStringz(stopChars), stopCharsLen, ioPriority, (cancellable is null) ? null : cancellable.getCancellableStruct(), callback, userData);
}
/**
* Finish an asynchronous call started by
* g_data_input_stream_read_upto_async().
*
* Note that this function does not consume the stop character. You
* have to use g_data_input_stream_read_byte() to get it before calling
* g_data_input_stream_read_upto_async() again.
*
* Params:
* result = the #GAsyncResult that was provided to the callback
* length = a #gsize to get the length of the data read in
*
* Return: a string with the data that was read
* before encountering any of the stop characters. Set @length to
* a #gsize to get the length of the string. This function will
* return %NULL on an error.
*
* Since: 2.24
*
* Throws: GException on failure.
*/
public string readUptoFinish(AsyncResultIF result, out size_t length)
{
GError* err = null;
auto p = g_data_input_stream_read_upto_finish(gDataInputStream, (result is null) ? null : result.getAsyncResultStruct(), &length, &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return Str.toString(p);
}
/**
* This function sets the byte order for the given @stream. All subsequent
* reads from the @stream will be read in the given @order.
*
* Params:
* order = a #GDataStreamByteOrder to set.
*/
public void setByteOrder(GDataStreamByteOrder order)
{
g_data_input_stream_set_byte_order(gDataInputStream, order);
}
/**
* Sets the newline type for the @stream.
*
* Note that using G_DATA_STREAM_NEWLINE_TYPE_ANY is slightly unsafe. If a read
* chunk ends in "CR" we must read an additional byte to know if this is "CR" or
* "CR LF", and this might block if there is no more data available.
*
* Params:
* type = the type of new line return as #GDataStreamNewlineType.
*/
public void setNewlineType(GDataStreamNewlineType type)
{
g_data_input_stream_set_newline_type(gDataInputStream, type);
}
}
| D |
instance BAU_935_Bronko(Npc_Default)
{
name[0] = "Бронко";
guild = GIL_NONE;
id = 935;
voice = 6;
flags = 0;
npcType = npctype_main;
aivar[AIV_ToughGuy] = TRUE;
aivar[AIV_ToughGuyNewsOverride] = TRUE;
B_SetAttributesToChapter(self,2);
fight_tactic = FAI_HUMAN_STRONG;
EquipItem(self,ItMw_2h_Bau_Axe);
B_CreateAmbientInv(self);
CreateInvItems(self,ItMi_Gold,35);
B_SetNpcVisual(self,MALE,"Hum_Head_Bald",Face_B_Normal_Kirgo,BodyTex_B,ITAR_Bau_M);
Mdl_SetModelFatness(self,1);
Mdl_ApplyOverlayMds(self,"Humans_Militia.mds");
B_GiveNpcTalents(self);
B_SetFightSkills(self,30);
daily_routine = Rtn_PreStart_935;
};
func void Rtn_PreStart_935()
{
TA_Stand_Guarding(8,0,22,0,"NW_FARM4_BRONKO");
TA_Sit_Campfire(22,0,8,0,"NW_FARM4_REST_02");
};
func void Rtn_Start_935()
{
TA_Pick_FP(8,0,22,0,"NW_FARM4_FIELD_01");
TA_Pick_FP(22,0,8,0,"NW_FARM4_FIELD_01");
};
| D |
/*******************************************************************************
copyright: Copyright (c) 2008. Fawzi Mohamed
license: BSD style: $(LICENSE)
version: Initial release: July 2008
author: Fawzi Mohamed
*******************************************************************************/
module tango.math.random.engines.ArraySource;
/// very simple array based source (use with care, some methods in non uniform distributions
/// expect a random source with correct statistics, and could loop forever with such a source)
struct ArraySource{
uint[] a;
size_t i;
const int canCheckpoint=false; // implement?
const int canSeed=false;
static ArraySource opCall(uint[] a,size_t i=0)
in { assert(a.length>0,"array needs at least one element"); }
body {
ArraySource res;
res.a=a;
res.i=i;
return res;
}
uint next(){
assert(a.length>i,"error, array out of bounds");
uint el=a[i];
i=(i+1)%a.length;
return el;
}
ubyte nextB(){
return cast(ubyte)(0xFF&next);
}
ulong nextL(){
return ((cast(ulong)next)<<32)+cast(ulong)next;
}
}
| D |
/++
+ Module containing IRC client guts. Parses and dispatches to appropriate
+ handlers/
+/
module virc.client.skeleton;
import std.algorithm.comparison : among;
import std.algorithm.iteration : chunkBy, cumulativeFold, filter, map, splitter;
import std.algorithm.searching : canFind, endsWith, find, findSplit, findSplitAfter, findSplitBefore, skipOver, startsWith;
import std.array : array;
import std.ascii : isDigit;
import std.conv : parse, text;
import std.datetime;
import std.exception : enforce;
import std.format : format, formattedWrite;
import std.meta : AliasSeq;
import std.range.primitives : ElementType, isInputRange, isOutputRange;
import std.range : chain, empty, front, put, walkLength;
import std.traits : isCopyable, Parameters, Unqual;
import std.typecons : Nullable, RefCounted, refCounted;
import std.utf : byCodeUnit;
import virc.common;
import virc.encoding;
import virc.client.internaladdresslist;
import virc.ircsplitter;
import virc.ircv3.batch;
import virc.ircv3.sasl;
import virc.ircv3.tags;
import virc.ircmessage;
import virc.message;
import virc.modes;
import virc.numerics;
import virc.target;
import virc.usermask;
/++
+
+/
struct NickInfo {
///
string nickname;
///
string username;
///
string realname;
}
/++
+
+/
enum supportedCaps = AliasSeq!(
"account-notify", // http://ircv3.net/specs/extensions/account-notify-3.1.html
"account-tag", // http://ircv3.net/specs/extensions/account-tag-3.2.html
"away-notify", // http://ircv3.net/specs/extensions/away-notify-3.1.html
"batch", // http://ircv3.net/specs/extensions/batch-3.2.html
"cap-notify", // http://ircv3.net/specs/extensions/cap-notify-3.2.html
"chghost", // http://ircv3.net/specs/extensions/chghost-3.2.html
"echo-message", // http://ircv3.net/specs/extensions/echo-message-3.2.html
"extended-join", // http://ircv3.net/specs/extensions/extended-join-3.1.html
"invite-notify", // http://ircv3.net/specs/extensions/invite-notify-3.2.html
//"metadata", // http://ircv3.net/specs/core/metadata-3.2.html
//"monitor", // http://ircv3.net/specs/core/monitor-3.2.html
"multi-prefix", // http://ircv3.net/specs/extensions/multi-prefix-3.1.html
"sasl", // http://ircv3.net/specs/extensions/sasl-3.1.html and http://ircv3.net/specs/extensions/sasl-3.2.html
"server-time", // http://ircv3.net/specs/extensions/server-time-3.2.html
"userhost-in-names", // http://ircv3.net/specs/extensions/userhost-in-names-3.2.html
);
/++
+
+/
auto ircClient(alias mix, T)(ref T output, NickInfo info, SASLMechanism[] saslMechs = [], string password = string.init) {
static if (isCopyable!T) {
auto client = IRCClient!(mix, T)(output);
} else {
auto client = ircClient!(mix, T)(refCounted(output));
}
client.username = info.username;
client.realname = info.realname;
client.nickname = info.nickname;
if (password != string.init) {
client.password = password;
}
client.saslMechs = saslMechs;
client.initialize();
return client;
}
///ditto
auto ircClient(T)(ref T output, NickInfo info, SASLMechanism[] saslMechs = [], string password = string.init) {
return ircClient!null(output, info, saslMechs, password);
}
/++
+
+/
struct Server {
///
MyInfo myInfo;
///
ISupport iSupport;
}
/++
+
+/
enum RFC1459Commands {
privmsg = "PRIVMSG",
notice = "NOTICE",
info = "INFO",
admin = "ADMIN",
trace = "TRACE",
connect = "CONNECT",
time = "TIME",
links = "LINKS",
stats = "STATS",
version_ = "VERSION",
kick = "KICK",
invite = "INVITE",
list = "LIST",
names = "NAMES",
topic = "TOPIC",
mode = "MODE",
part = "PART",
join = "JOIN",
squit = "SQUIT",
quit = "QUIT",
oper = "OPER",
server = "SERVER",
user = "USER",
nick = "NICK",
pass = "PASS",
who = "WHO",
whois = "WHOIS",
whowas = "WHOWAS",
kill = "KILL",
ping = "PING",
pong = "PONG",
error = "ERROR",
away = "AWAY",
rehash = "REHASH",
restart = "RESTART",
summon = "SUMMON",
users = "USERS",
wallops = "WALLOPS",
userhost = "USERHOST",
ison = "ISON",
}
/++
+
+/
enum RFC2812Commands {
service = "SERVICE"
}
import virc.ircv3 : IRCV3Commands;
alias ClientNoOpCommands = AliasSeq!(
RFC1459Commands.server,
RFC1459Commands.user,
RFC1459Commands.pass,
RFC1459Commands.whois,
RFC1459Commands.whowas,
RFC1459Commands.kill,
RFC1459Commands.who,
RFC1459Commands.oper,
RFC1459Commands.squit,
RFC1459Commands.summon,
RFC1459Commands.pong, //UNIMPLEMENTED
RFC1459Commands.error, //UNIMPLEMENTED
RFC1459Commands.userhost,
RFC1459Commands.version_,
RFC1459Commands.names,
RFC1459Commands.away,
RFC1459Commands.connect,
RFC1459Commands.trace,
RFC1459Commands.links,
RFC1459Commands.stats,
RFC1459Commands.ison,
RFC1459Commands.restart,
RFC1459Commands.users,
RFC1459Commands.list,
RFC1459Commands.admin,
RFC1459Commands.rehash,
RFC1459Commands.time,
RFC1459Commands.info,
RFC2812Commands.service,
IRCV3Commands.starttls, //DO NOT IMPLEMENT
IRCV3Commands.batch, //SPECIAL CASE
IRCV3Commands.metadata, //UNIMPLEMENTED
IRCV3Commands.monitor,
Numeric.RPL_HOSTHIDDEN,
Numeric.RPL_ENDOFNAMES,
Numeric.RPL_ENDOFMONLIST,
Numeric.RPL_LOCALUSERS,
Numeric.RPL_GLOBALUSERS,
Numeric.RPL_YOURHOST,
Numeric.RPL_YOURID,
Numeric.RPL_CREATED,
Numeric.RPL_LISTSTART,
Numeric.RPL_LISTEND,
Numeric.RPL_TEXT,
Numeric.RPL_ADMINME,
Numeric.RPL_ADMINLOC1,
Numeric.RPL_ADMINLOC2,
Numeric.RPL_ADMINEMAIL,
Numeric.RPL_WHOISCERTFP,
Numeric.RPL_WHOISHOST,
Numeric.RPL_WHOISMODE
);
/++
+
+/
struct ChannelState {
Channel channel;
string topic;
InternalAddressList users;
void toString(T)(T sink) const if (isOutputRange!(T, const(char))) {
formattedWrite!"Channel: %s\n"(sink, channel);
formattedWrite!"\tTopic: %s\n"(sink, topic);
formattedWrite!"\tUsers:\n"(sink);
foreach (user; users.list) {
formattedWrite!"\t\t%s\n"(sink, user);
}
}
}
unittest {
import std.outbuffer;
ChannelState(Channel("#test"), "Words").toString(new OutBuffer);
}
/++
+ Types of errors.
+/
enum ErrorType {
///Insufficient privileges for command. See message for missing privilege.
noPrivs,
///Monitor list is full.
monListFull,
///Server has no MOTD.
noMOTD,
///No server matches client-provided server mask.
noSuchServer,
///User is not an IRC operator.
noPrivileges,
///Malformed message received from server.
malformed,
///Message received unexpectedly.
unexpected,
///Unhandled command or numeric.
unrecognized
}
/++
+ Struct holding data about non-fatal errors.
+/
struct IRCError {
ErrorType type;
string message;
}
/++
+ Channels in a WHOIS response.
+/
struct WhoisChannel {
Channel name;
string prefix;
}
/++
+ Full response to a WHOIS.
+/
struct WhoisResponse {
bool isOper;
bool isSecure;
bool isRegistered;
Nullable!string username;
Nullable!string hostname;
Nullable!string realname;
Nullable!SysTime connectedTime;
Nullable!Duration idleTime;
Nullable!string connectedTo;
Nullable!string account;
WhoisChannel[string] channels;
}
/++
+ IRC client implementation.
+/
struct IRCClient(alias mix, T) if (isOutputRange!(T, char)) {
import virc.ircv3 : Capability, CapabilityServerSubcommands, IRCV3Commands;
static if (isCopyable!T) {
T output;
} else {
RefCounted!T output;
}
///
Server server;
///
Capability[] capsEnabled;
private string nickname;
private string username;
private string realname;
private Nullable!string password;
///
ChannelState[string] channels;
///SASL mechanisms available for usage
SASLMechanism[] saslMechs;
///
InternalAddressList internalAddressList;
static if (__traits(isTemplate, mix)) {
mixin mix;
} else {
///
void delegate(const Capability, const MessageMetadata) @safe onReceiveCapList;
///
void delegate(const Capability, const MessageMetadata) @safe onReceiveCapLS;
///
void delegate(const Capability, const MessageMetadata) @safe onReceiveCapAck;
///
void delegate(const Capability, const MessageMetadata) @safe onReceiveCapNak;
///
void delegate(const Capability, const MessageMetadata) @safe onReceiveCapDel;
///
void delegate(const Capability, const MessageMetadata) @safe onReceiveCapNew;
///
void delegate(const User, const SysTime, const MessageMetadata) @safe onUserOnline;
///
void delegate(const User, const MessageMetadata) @safe onUserOffline;
///
void delegate(const User, const MessageMetadata) @safe onLogin;
///
void delegate(const User, const MessageMetadata) @safe onLogout;
///
void delegate(const User, const string, const MessageMetadata) @safe onOtherUserAwayReply;
///
void delegate(const User, const MessageMetadata) @safe onBack;
///
void delegate(const User, const MessageMetadata) @safe onMonitorList;
///
void delegate(const User, const User, const MessageMetadata) @safe onNick;
///
void delegate(const User, const User, const Channel, const MessageMetadata) @safe onInvite;
///
void delegate(const User, const Channel, const MessageMetadata) @safe onJoin;
///
void delegate(const User, const Channel, const string, const MessageMetadata) @safe onPart;
///
void delegate(const User, const Channel, const User, const string, const MessageMetadata) @safe onKick;
///
void delegate(const User, const string, const MessageMetadata) @safe onQuit;
///
void delegate(const User, const Target, const ModeChange, const MessageMetadata) @safe onMode;
///
void delegate(const User, const Target, const Message, const MessageMetadata) @safe onMessage;
///
void delegate(const User, const WhoisResponse) @safe onWhois;
///
void delegate(const User, const string, const MessageMetadata) @safe onWallops;
///
void delegate(const ChannelListResult, const MessageMetadata) @safe onList;
///
void delegate(const User, const User, const MessageMetadata) @safe onChgHost;
///
void delegate(const LUserClient, const MessageMetadata) @safe onLUserClient;
///
void delegate(const LUserOp, const MessageMetadata) @safe onLUserOp;
///
void delegate(const LUserChannels, const MessageMetadata) @safe onLUserChannels;
///
void delegate(const LUserMe, const MessageMetadata) @safe onLUserMe;
///
void delegate(const NamesReply, const MessageMetadata) @safe onNamesReply;
///
void delegate(const TopicReply, const MessageMetadata) @safe onTopicReply;
///
void delegate(const User, const Channel, const string, const MessageMetadata) @safe onTopicChange;
///
void delegate(const User, const MessageMetadata) @safe onUnAwayReply;
///
void delegate(const User, const MessageMetadata) @safe onAwayReply;
///
void delegate(const TopicWhoTime, const MessageMetadata) @safe onTopicWhoTimeReply;
///
void delegate(const VersionReply, const MessageMetadata) @safe onVersionReply;
///
void delegate(const RehashingReply, const MessageMetadata) @safe onServerRehashing;
///
void delegate(const MessageMetadata) @safe onYoureOper;
///Called when an RPL_ISON message is received
void delegate(const User, const MessageMetadata) @safe onIsOn;
///
void delegate(const IRCError, const MessageMetadata) @safe onError;
///
void delegate(const MessageMetadata) @safe onRaw;
///
void delegate() @safe onConnect;
///
debug void delegate(const string) @safe onSend;
}
private bool invalid = true;
private bool isRegistered;
private ulong capReqCount = 0;
private BatchProcessor batchProcessor;
private bool isAuthenticating;
private bool authenticationSucceeded;
private string[] supportedSASLMechs;
private SASLMechanism selectedSASLMech;
private bool autoSelectSASLMech;
private string receivedSASLAuthenticationText;
private bool _isAway;
private WhoisResponse[string] whoisCache;
bool isAuthenticated() {
return authenticationSucceeded;
}
void initialize() {
debug(verboseirc) {
import std.experimental.logger : trace;
trace("-------------------------");
}
invalid = false;
write("CAP LS 302");
register();
}
public void ping() {
}
public void names() {
write("NAMES");
}
public void ping(const string nonce) {
write!"PING :%s"(nonce);
}
public void lUsers() {
write!"LUSERS";
}
private void pong(const string nonce) {
write!"PONG :%s"(nonce);
}
public void put(string line) {
import std.conv : asOriginalType;
import std.meta : NoDuplicates;
import std.string : representation;
import std.traits : EnumMembers;
debug(verboseirc) import std.experimental.logger : trace;
//Chops off terminating \r\n. Everything after is ignored, according to spec.
line = findSplitBefore(line, "\r\n")[0];
debug(verboseirc) trace("←: ", line);
assert(!invalid, "Received data after invalidation");
if (line.empty) {
return;
}
batchProcessor.put(line);
foreach (batch; batchProcessor) {
batchProcessor.popFront();
foreach (parsed; batch.lines) {
auto metadata = MessageMetadata();
metadata.batch = parsed.batch;
metadata.tags = parsed.tags;
if("time" in parsed.tags) {
metadata.time = parseTime(parsed.tags);
} else {
metadata.time = Clock.currTime(UTC());
}
if ("account" in parsed.tags) {
if (!parsed.sourceUser.isNull) {
parsed.sourceUser.get.account = parsed.tags["account"];
}
}
if (!parsed.sourceUser.isNull) {
internalAddressList.update(parsed.sourceUser.get);
if (parsed.sourceUser.get.nickname in internalAddressList) {
parsed.sourceUser = internalAddressList[parsed.sourceUser.get.nickname];
}
}
if (parsed.verb.filter!(x => !isDigit(x)).empty) {
metadata.messageNumeric = cast(Numeric)parsed.verb;
}
metadata.original = parsed.raw;
tryCall!"onRaw"(metadata);
switchy: switch (parsed.verb) {
//TOO MANY TEMPLATE INSTANTIATIONS! uncomment when compiler fixes this!
//alias Numerics = NoDuplicates!(EnumMembers!Numeric);
alias Numerics = AliasSeq!(Numeric.RPL_WELCOME, Numeric.RPL_ISUPPORT, Numeric.RPL_LIST, Numeric.RPL_YOURHOST, Numeric.RPL_CREATED, Numeric.RPL_LISTSTART, Numeric.RPL_LISTEND, Numeric.RPL_ENDOFMONLIST, Numeric.RPL_ENDOFNAMES, Numeric.RPL_YOURID, Numeric.RPL_LOCALUSERS, Numeric.RPL_GLOBALUSERS, Numeric.RPL_HOSTHIDDEN, Numeric.RPL_TEXT, Numeric.RPL_MYINFO, Numeric.RPL_LOGON, Numeric.RPL_MONONLINE, Numeric.RPL_MONOFFLINE, Numeric.RPL_MONLIST, Numeric.RPL_LUSERCLIENT, Numeric.RPL_LUSEROP, Numeric.RPL_LUSERCHANNELS, Numeric.RPL_LUSERME, Numeric.RPL_TOPIC, Numeric.RPL_NAMREPLY, Numeric.RPL_TOPICWHOTIME, Numeric.RPL_SASLSUCCESS, Numeric.RPL_LOGGEDIN, Numeric.RPL_VERSION, Numeric.ERR_MONLISTFULL, Numeric.ERR_NOMOTD, Numeric.ERR_NICKLOCKED, Numeric.ERR_SASLFAIL, Numeric.ERR_SASLTOOLONG, Numeric.ERR_SASLABORTED, Numeric.RPL_REHASHING, Numeric.ERR_NOPRIVS, Numeric.RPL_YOUREOPER, Numeric.ERR_NOSUCHSERVER, Numeric.ERR_NOPRIVILEGES, Numeric.RPL_AWAY, Numeric.RPL_UNAWAY, Numeric.RPL_NOWAWAY, Numeric.RPL_ENDOFWHOIS, Numeric.RPL_WHOISUSER, Numeric.RPL_WHOISSECURE, Numeric.RPL_WHOISOPERATOR, Numeric.RPL_WHOISREGNICK, Numeric.RPL_WHOISIDLE, Numeric.RPL_WHOISSERVER, Numeric.RPL_WHOISACCOUNT, Numeric.RPL_ADMINEMAIL, Numeric.RPL_ADMINLOC1, Numeric.RPL_ADMINLOC2, Numeric.RPL_ADMINME, Numeric.RPL_WHOISHOST, Numeric.RPL_WHOISMODE, Numeric.RPL_WHOISCERTFP, Numeric.RPL_WHOISCHANNELS, Numeric.RPL_ISON);
static foreach (cmd; AliasSeq!(NoDuplicates!(EnumMembers!IRCV3Commands), NoDuplicates!(EnumMembers!RFC1459Commands), NoDuplicates!(EnumMembers!RFC2812Commands), Numerics)) {
case cmd:
static if (!cmd.asOriginalType.among(ClientNoOpCommands)) {
rec!cmd(parsed, metadata);
}
break switchy;
}
default: recUnknownCommand(parsed.verb, metadata); break;
}
}
}
}
void put(const immutable(ubyte)[] rawString) {
put(rawString.toUTF8String);
}
private void tryEndRegistration() {
if (capReqCount == 0 && !isAuthenticating && !isRegistered) {
endRegistration();
}
}
private void endAuthentication() {
isAuthenticating = false;
tryEndRegistration();
}
private void endRegistration() {
write("CAP END");
}
public void capList() {
write("CAP LIST");
}
public void list() {
write("LIST");
}
public void away(const string message) {
write!"AWAY :%s"(message);
}
public void away() {
write("AWAY");
}
public void whois(const string nick) {
write!"WHOIS %s"(nick);
}
public void monitorClear() {
assert(monitorIsEnabled);
write("MONITOR C");
}
public void monitorList() {
assert(monitorIsEnabled);
write("MONITOR L");
}
public void monitorStatus() {
assert(monitorIsEnabled);
write("MONITOR S");
}
public void monitorAdd(T)(T users) if (isInputRange!T && is(ElementType!T == User)) {
assert(monitorIsEnabled);
writeList!("MONITOR + ", ",")(users.map!(x => x.nickname));
}
public void monitorRemove(T)(T users) if (isInputRange!T && is(ElementType!T == User)) {
assert(monitorIsEnabled);
writeList!("MONITOR - ", ",")(users.map!(x => x.nickname));
}
public bool isAway() const {
return _isAway;
}
public bool monitorIsEnabled() {
return capsEnabled.canFind("MONITOR");
}
public void quit(const string msg) {
write!"QUIT :%s"(msg);
invalid = true;
}
public void changeNickname(const string nick) {
write!"NICK %s"(nick);
}
public void join(T,U)(T chans, U keys) if (isInputRange!T && isInputRange!U) {
auto filteredKeys = keys.filter!(x => !x.empty);
if (!filteredKeys.empty) {
write!"JOIN %-(%s,%) %-(%s,%)"(chans, filteredKeys);
} else {
write!"JOIN %-(%s,%)"(chans);
}
}
public void join(const string chan, const string key = "") {
import std.range : only;
join(only(chan), only(key));
}
public void join(const Channel chan, const string key = "") {
import std.range : only;
join(only(chan.text), only(key));
}
public void msg(const string target, const string message) {
write!"PRIVMSG %s :%s"(target, message);
}
public void wallops(const string message) {
write!"WALLOPS :%s"(message);
}
public void msg(const Target target, const Message message) {
msg(target.targetText, message.text);
}
public void ctcp(const Target target, const string command, const string args) {
msg(target, Message("\x01"~command~" "~args~"\x01"));
}
public void ctcp(const Target target, const string command) {
msg(target, Message("\x01"~command~"\x01"));
}
public void ctcpReply(const Target target, const string command, const string args) {
notice(target, Message("\x01"~command~" "~args~"\x01"));
}
public void notice(const string target, const string message) {
write!"NOTICE %s :%s"(target, message);
}
public void notice(const Target target, const Message message) {
notice(target.targetText, message.text);
}
public void changeTopic(const Target target, const string topic) {
write!"TOPIC %s :%s"(target, topic);
}
public void oper(const string name, const string pass) {
assert(!name.canFind(" ") && !pass.canFind(" "));
write!"OPER %s %s"(name, pass);
}
public void rehash() {
write!"REHASH";
}
public void restart() {
write!"RESTART";
}
public void squit(const string server, const string reason) {
assert(!server.canFind(" "));
write!"SQUIT %s :%s"(server, reason);
}
public void version_() {
write!"VERSION"();
}
public void version_(const string serverMask) {
write!"VERSION %s"(serverMask);
}
public void kick(const Channel chan, const User nick, const string message = "") {
assert(message.length < server.iSupport.kickLength, "Kick message length exceeded");
write!"KICK %s %s :%s"(chan, nick, message);
}
public void isOn(const string[] nicknames...) {
write!"ISON %-(%s %)"(nicknames);
}
public void isOn(const User[] users...) {
write!"ISON %-(%s %)"(users.map!(x => x.nickname));
}
public void admin(const string server = "") {
if (server == "") {
write!"ADMIN"();
} else {
write!"ADMIN %s"(server);
}
}
private void sendAuthenticatePayload(const string payload) {
import std.base64 : Base64;
import std.range : chunks;
import std.string : representation;
if (payload == "") {
write!"AUTHENTICATE +"();
} else {
auto str = Base64.encode(payload.representation);
size_t lastChunkSize = 0;
foreach (chunk; str.byCodeUnit.chunks(400)) {
write!"AUTHENTICATE %s"(chunk);
lastChunkSize = chunk.length;
}
if (lastChunkSize == 400) {
write!"AUTHENTICATE +"();
}
}
}
private void user(const string username_, const string realname_) {
write!"USER %s 0 * :%s"(username_, realname_);
}
private void pass(const string pass) {
write!"PASS :%s"(pass);
}
private void register() {
assert(!isRegistered);
if (!password.isNull) {
pass(password.get);
}
changeNickname(nickname);
user(username, realname);
}
private void write(string fmt, T...)(T args) {
import std.range : put;
debug(verboseirc) import std.experimental.logger : tracef;
debug(verboseirc) tracef("→: "~fmt, args);
formattedWrite!fmt(output, args);
put(output, "\r\n");
debug {
tryCall!"onSend"(format!fmt(args));
}
static if (is(typeof(output.flush()))) {
output.flush();
}
}
private void write(T...)(const string fmt, T args) {
debug(verboseirc) import std.experimental.logger : tracef;
debug(verboseirc) tracef("→: "~fmt, args);
formattedWrite(output, fmt, args);
std.range.put(output, "\r\n");
debug {
tryCall!"onSend"(format(fmt, args));
}
static if (is(typeof(output.flush()))) {
output.flush();
}
}
private void write(const string text) {
write!"%s"(text);
}
private void writeList(string prefix, string separator, T)(T range) if (isInputRange!T && is(Unqual!(ElementType!T) == string)) {
write!(prefix~"%-(%s"~separator~"%)")(range);
}
private bool isEnabled(const Capability cap) {
return capsEnabled.canFind(cap);
}
private void tryCall(string func, T...)(const T params) {
import std.traits : hasMember;
static if (!__traits(isTemplate, mix)) {
if (__traits(getMember, this, func) !is null) {
__traits(getMember, this, func)(params);
}
} else static if(hasMember!(typeof(this), func)) {
__traits(getMember, this, func)(params);
}
}
auto me() const {
assert(nickname in internalAddressList);
return internalAddressList[nickname];
}
//Message parsing functions follow
private void rec(string cmd : IRCV3Commands.cap)(IRCMessage message, const MessageMetadata metadata) {
auto tokens = message.args;
immutable username = tokens.front; //Unused?
tokens.popFront();
immutable subCommand = tokens.front;
tokens.popFront();
immutable terminator = !tokens.skipOver("*");
auto args = tokens
.front
.splitter(" ")
.filter!(x => x != "")
.map!(x => Capability(x));
final switch (cast(CapabilityServerSubcommands) subCommand) {
case CapabilityServerSubcommands.ls:
recCapLS(args, metadata);
break;
case CapabilityServerSubcommands.list:
recCapList(args, metadata);
break;
case CapabilityServerSubcommands.acknowledge:
recCapAck(args, metadata);
break;
case CapabilityServerSubcommands.notAcknowledge:
recCapNak(args, metadata);
break;
case CapabilityServerSubcommands.new_:
recCapNew(args, metadata);
break;
case CapabilityServerSubcommands.delete_:
recCapDel(args, metadata);
break;
}
}
private void recCapLS(T)(T caps, const MessageMetadata metadata) if (is(ElementType!T == Capability)) {
auto requestCaps = caps.filter!(among!supportedCaps);
capReqCount += requestCaps.save().walkLength;
if (!requestCaps.empty) {
write!"CAP REQ :%-(%s %)"(requestCaps);
}
foreach (ref cap; caps) {
if (cap == "sasl") {
supportedSASLMechs = cap.value.splitter(",").array;
}
tryCall!"onReceiveCapLS"(cap, metadata);
}
}
private void recCapList(T)(T caps, const MessageMetadata metadata) if (is(ElementType!T == Capability)) {
foreach (ref cap; caps) {
if (cap == "sasl") {
supportedSASLMechs = cap.value.splitter(",").array;
}
tryCall!"onReceiveCapList"(cap, metadata);
}
}
private void recCapAck(T)(T caps, const MessageMetadata metadata) if (is(ElementType!T == Capability)) {
import std.range : hasLength;
capsEnabled ~= caps.save().array;
foreach (ref cap; caps) {
if (cap == "sasl") {
startSASL();
}
tryCall!"onReceiveCapAck"(cap, metadata);
static if (!hasLength!T) {
capAcknowledgementCommon(1);
}
}
static if (hasLength!T) {
capAcknowledgementCommon(caps.length);
}
}
private void recCapNak(T)(T caps, const MessageMetadata metadata) if (is(ElementType!T == Capability)) {
import std.range : hasLength;
foreach (ref cap; caps) {
tryCall!"onReceiveCapNak"(cap, metadata);
static if (!hasLength!T) {
capAcknowledgementCommon(1);
}
}
static if (hasLength!T) {
capAcknowledgementCommon(caps.length);
}
}
private void capAcknowledgementCommon(const size_t count) {
capReqCount -= count;
tryEndRegistration();
}
private void recCapNew(T)(T caps, const MessageMetadata metadata) if (is(ElementType!T == Capability)) {
auto requestCaps = caps.filter!(among!supportedCaps);
capReqCount += requestCaps.save().walkLength;
if (!requestCaps.empty) {
write!"CAP REQ :%-(%s %)"(requestCaps);
}
foreach (ref cap; caps) {
tryCall!"onReceiveCapNew"(cap, metadata);
}
}
private void recCapDel(T)(T caps, const MessageMetadata metadata) if (is(ElementType!T == Capability)) {
import std.algorithm.mutation : remove;
import std.algorithm.searching : countUntil;
foreach (ref cap; caps) {
auto findCap = countUntil(capsEnabled, cap);
if (findCap > -1) {
capsEnabled = capsEnabled.remove(findCap);
}
tryCall!"onReceiveCapDel"(cap, metadata);
}
}
private void startSASL() {
if (supportedSASLMechs.empty && !saslMechs.empty) {
autoSelectSASLMech = true;
saslAuth(saslMechs.front);
} else if (!supportedSASLMechs.empty && !saslMechs.empty) {
foreach (id, mech; saslMechs) {
if (supportedSASLMechs.canFind(mech.name)) {
saslAuth(mech);
}
}
}
}
private void saslAuth(SASLMechanism mech) {
selectedSASLMech = mech;
write!"AUTHENTICATE %s"(mech.name);
isAuthenticating = true;
}
private void rec(string cmd : RFC1459Commands.kick)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
auto source = message.sourceUser.get;
if (split.empty) {
return;
}
Channel channel = Channel(split.front);
split.popFront();
if (split.empty) {
return;
}
User victim = User(split.front);
split.popFront();
string msg;
if (!split.empty) {
msg = split.front;
}
tryCall!"onKick"(source, channel, victim, msg, metadata);
}
private void rec(string cmd : RFC1459Commands.wallops)(IRCMessage message, const MessageMetadata metadata) {
tryCall!"onWallops"(message.sourceUser.get, message.args.front, metadata);
}
private void rec(string cmd : RFC1459Commands.mode)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
auto source = message.sourceUser.get;
auto target = Target(split.front, server.iSupport.statusMessage, server.iSupport.channelTypes);
split.popFront();
ModeType[char] modeTypes;
if (target.isChannel) {
modeTypes = server.iSupport.channelModeTypes;
} else {
//there are no user mode types.
}
auto modes = parseModeString(split, modeTypes);
foreach (mode; modes) {
tryCall!"onMode"(source, target, mode, metadata);
}
}
private void rec(string cmd : RFC1459Commands.join)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
auto channel = Channel(split.front);
auto source = message.sourceUser.get;
split.popFront();
if (isEnabled(Capability("extended-join"))) {
if (split.front != "*") {
source.account = split.front;
}
split.popFront();
source.realName = split.front;
split.popFront();
}
if (channel.name !in channels) {
channels[channel.name] = ChannelState();
}
internalAddressList.update(source);
if (source.nickname in internalAddressList) {
channels[channel.name].users.update(internalAddressList[source.nickname]);
}
tryCall!"onJoin"(source, channel, metadata);
}
private void rec(string cmd : RFC1459Commands.part)(IRCMessage message, const MessageMetadata metadata) {
import std.algorithm.mutation : remove;
import std.algorithm.searching : countUntil;
auto split = message.args;
auto user = message.sourceUser.get;
auto channel = Channel(split.front);
split.popFront();
string msg;
if (!split.empty) {
msg = split.front;
}
if ((channel.name in channels) && (user.nickname in channels[channel.name].users)) {
channels[channel.name].users.invalidate(user.nickname);
}
if ((user == me) && (channel.name in channels)) {
channels.remove(channel.name);
}
tryCall!"onPart"(user, channel, msg, metadata);
}
private void rec(string cmd : RFC1459Commands.notice)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
auto user = message.sourceUser.get;
auto target = Target(split.front, server.iSupport.statusMessage, server.iSupport.channelTypes);
split.popFront();
auto msg = Message(split.front, MessageType.notice);
recMessageCommon(user, target, msg, metadata);
}
private void rec(string cmd : RFC1459Commands.privmsg)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
auto user = message.sourceUser.get;
auto target = Target(split.front, server.iSupport.statusMessage, server.iSupport.channelTypes);
split.popFront();
auto msg = Message(split.front, MessageType.privmsg);
recMessageCommon(user, target, msg, metadata);
}
private void recMessageCommon(const User user, const Target target, Message msg, const MessageMetadata metadata) {
if (user.nickname == nickname) {
msg.isEcho = true;
}
tryCall!"onMessage"(user, target, msg, metadata);
}
private void rec(string cmd : Numeric.RPL_ISUPPORT)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
switch (split.save().canFind("UHNAMES", "NAMESX")) {
case 1:
if (!isEnabled(Capability("userhost-in-names"))) {
write("PROTOCTL UHNAMES");
}
break;
case 2:
if (!isEnabled(Capability("multi-prefix"))) {
write("PROTOCTL NAMESX");
}
break;
default: break;
}
parseNumeric!(Numeric.RPL_ISUPPORT)(split, server.iSupport);
}
private void rec(string cmd : Numeric.RPL_WELCOME)(IRCMessage message, const MessageMetadata metadata) {
isRegistered = true;
auto meUser = User();
meUser.mask.nickname = nickname;
meUser.mask.ident = username;
meUser.mask.host = "127.0.0.1";
internalAddressList.update(meUser);
tryCall!"onConnect"();
}
private void rec(string cmd : Numeric.RPL_LOGGEDIN)(IRCMessage message, const MessageMetadata metadata) {
import virc.numerics.sasl : parseNumeric;
if (isAuthenticating || isAuthenticated) {
auto parsed = parseNumeric!(Numeric.RPL_LOGGEDIN)(message.args);
auto user = User(parsed.get.mask);
user.account = parsed.get.account;
internalAddressList.update(user);
}
}
private void rec(string cmd)(IRCMessage message, const MessageMetadata metadata) if (cmd.among(Numeric.ERR_NICKLOCKED, Numeric.ERR_SASLFAIL, Numeric.ERR_SASLTOOLONG, Numeric.ERR_SASLABORTED)) {
endAuthentication();
}
private void rec(string cmd : Numeric.RPL_MYINFO)(IRCMessage message, const MessageMetadata metadata) {
server.myInfo = parseNumeric!(Numeric.RPL_MYINFO)(message.args).get;
}
private void rec(string cmd : Numeric.RPL_LUSERCLIENT)(IRCMessage message, const MessageMetadata metadata) {
tryCall!"onLUserClient"(parseNumeric!(Numeric.RPL_LUSERCLIENT)(message.args), metadata);
}
private void rec(string cmd : Numeric.RPL_LUSEROP)(IRCMessage message, const MessageMetadata metadata) {
tryCall!"onLUserOp"(parseNumeric!(Numeric.RPL_LUSEROP)(message.args), metadata);
}
private void rec(string cmd : Numeric.RPL_LUSERCHANNELS)(IRCMessage message, const MessageMetadata metadata) {
tryCall!"onLUserChannels"(parseNumeric!(Numeric.RPL_LUSERCHANNELS)(message.args), metadata);
}
private void rec(string cmd : Numeric.RPL_LUSERME)(IRCMessage message, const MessageMetadata metadata) {
tryCall!"onLUserMe"(parseNumeric!(Numeric.RPL_LUSERME)(message.args), metadata);
}
private void rec(string cmd : Numeric.RPL_YOUREOPER)(IRCMessage message, const MessageMetadata metadata) {
tryCall!"onYoureOper"(metadata);
}
private void rec(string cmd : Numeric.ERR_NOMOTD)(IRCMessage message, const MessageMetadata metadata) {
tryCall!"onError"(IRCError(ErrorType.noMOTD), metadata);
}
private void rec(string cmd : Numeric.RPL_SASLSUCCESS)(IRCMessage message, const MessageMetadata metadata) {
if (selectedSASLMech) {
authenticationSucceeded = true;
}
endAuthentication();
}
private void rec(string cmd : Numeric.RPL_LIST)(IRCMessage message, const MessageMetadata metadata) {
auto channel = parseNumeric!(Numeric.RPL_LIST)(message.args, server.iSupport.channelModeTypes);
tryCall!"onList"(channel, metadata);
}
private void rec(string cmd : RFC1459Commands.ping)(IRCMessage message, const MessageMetadata) {
pong(message.args.front);
}
private void rec(string cmd : Numeric.RPL_ISON)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_ISON)(message.args);
if (!reply.isNull) {
foreach (online; reply.get.online) {
internalAddressList.update(User(online));
tryCall!"onIsOn"(internalAddressList[online], metadata);
}
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.RPL_MONONLINE)(IRCMessage message, const MessageMetadata metadata) {
auto users = parseNumeric!(Numeric.RPL_MONONLINE)(message.args);
foreach (user; users) {
tryCall!"onUserOnline"(user, SysTime.init, metadata);
}
}
private void rec(string cmd : Numeric.RPL_MONOFFLINE)(IRCMessage message, const MessageMetadata metadata) {
auto users = parseNumeric!(Numeric.RPL_MONOFFLINE)(message.args);
foreach (user; users) {
tryCall!"onUserOffline"(user, metadata);
}
}
private void rec(string cmd : Numeric.RPL_MONLIST)(IRCMessage message, const MessageMetadata metadata) {
auto users = parseNumeric!(Numeric.RPL_MONLIST)(message.args);
foreach (user; users) {
tryCall!"onMonitorList"(user, metadata);
}
}
private void rec(string cmd : Numeric.ERR_MONLISTFULL)(IRCMessage message, const MessageMetadata metadata) {
auto err = parseNumeric!(Numeric.ERR_MONLISTFULL)(message.args);
tryCall!"onError"(IRCError(ErrorType.monListFull), metadata);
}
private void rec(string cmd : Numeric.RPL_VERSION)(IRCMessage message, const MessageMetadata metadata) {
auto versionReply = parseNumeric!(Numeric.RPL_VERSION)(message.args);
tryCall!"onVersionReply"(versionReply.get, metadata);
}
private void rec(string cmd : Numeric.RPL_LOGON)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_LOGON)(message.args);
tryCall!"onUserOnline"(reply.user, reply.timeOccurred, metadata);
}
private void rec(string cmd : IRCV3Commands.chghost)(IRCMessage message, const MessageMetadata metadata) {
User target;
auto split = message.args;
auto user = message.sourceUser.get;
target.mask.nickname = user.nickname;
target.mask.ident = split.front;
split.popFront();
target.mask.host = split.front;
internalAddressList.update(target);
tryCall!"onChgHost"(user, target, metadata);
}
private void rec(string cmd : Numeric.RPL_TOPICWHOTIME)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_TOPICWHOTIME)(message.args);
if (!reply.isNull) {
tryCall!"onTopicWhoTimeReply"(reply.get, metadata);
}
}
private void rec(string cmd : Numeric.RPL_AWAY)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_AWAY)(message.args);
if (!reply.isNull) {
tryCall!"onOtherUserAwayReply"(reply.get.user, reply.get.message, metadata);
}
}
private void rec(string cmd : Numeric.RPL_UNAWAY)(IRCMessage message, const MessageMetadata metadata) {
tryCall!"onUnAwayReply"(message.sourceUser.get, metadata);
_isAway = false;
}
private void rec(string cmd : Numeric.RPL_NOWAWAY)(IRCMessage message, const MessageMetadata metadata) {
tryCall!"onAwayReply"(message.sourceUser.get, metadata);
_isAway = true;
}
private void rec(string cmd : Numeric.RPL_TOPIC)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_TOPIC)(message.args);
if (!reply.isNull) {
tryCall!"onTopicReply"(reply.get, metadata);
}
}
private void rec(string cmd : RFC1459Commands.topic)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
auto user = message.sourceUser.get;
if (split.empty) {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
return;
}
auto target = Channel(split.front);
split.popFront();
if (split.empty) {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
return;
}
auto msg = split.front;
tryCall!"onTopicChange"(user, target, msg, metadata);
}
private void rec(string cmd : RFC1459Commands.nick)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
if (!split.empty) {
auto old = message.sourceUser.get;
auto newNick = split.front;
internalAddressList.renameTo(old, newNick);
foreach (ref channel; channels) {
if (old.nickname in channel.users) {
channel.users.renameTo(old, newNick);
}
}
auto new_ = internalAddressList[newNick];
if (old.nickname == nickname) {
nickname = new_.nickname;
}
tryCall!"onNick"(old, new_, metadata);
}
}
private void rec(string cmd : RFC1459Commands.invite)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
auto inviter = message.sourceUser.get;
if (!split.empty) {
User invited;
if (split.front in internalAddressList) {
invited = internalAddressList[split.front];
} else {
invited = User(split.front);
}
split.popFront();
if (!split.empty) {
auto channel = Channel(split.front);
tryCall!"onInvite"(inviter, invited, channel, metadata);
}
}
}
private void rec(string cmd : RFC1459Commands.quit)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
auto user = message.sourceUser.get;
string msg;
if (!split.empty) {
msg = split.front;
}
internalAddressList.invalidate(user.nickname);
tryCall!"onQuit"(user, msg, metadata);
}
private void recUnknownCommand(const string cmd, const MessageMetadata metadata) {
if (cmd.filter!(x => !x.isDigit).empty) {
recUnknownNumeric(cmd, metadata);
} else {
debug(verboseirc) import std.experimental.logger : trace;
debug(verboseirc) trace(" Unknown command: ", metadata.original);
}
}
private void rec(string cmd : Numeric.RPL_NAMREPLY)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_NAMREPLY)(message.args);
if (reply.get.channel in channels) {
foreach (user; reply.get.users) {
channels[reply.get.channel].users.update(User(user));
}
}
if (!reply.isNull) {
tryCall!"onNamesReply"(reply.get, metadata);
}
}
private void rec(string cmd : Numeric.RPL_REHASHING)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_REHASHING)(message.args);
if (!reply.isNull) {
tryCall!"onServerRehashing"(reply.get, metadata);
}
}
private void rec(string cmd : Numeric.ERR_NOPRIVS)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.ERR_NOPRIVS)(message.args);
if (!reply.isNull) {
tryCall!"onError"(IRCError(ErrorType.noPrivs, reply.get.priv), metadata);
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.ERR_NOPRIVILEGES)(IRCMessage message, const MessageMetadata metadata) {
tryCall!"onError"(IRCError(ErrorType.noPrivileges), metadata);
}
private void rec(string cmd : Numeric.ERR_NOSUCHSERVER)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.ERR_NOSUCHSERVER)(message.args);
if (!reply.isNull) {
tryCall!"onError"(IRCError(ErrorType.noSuchServer, reply.get.serverMask), metadata);
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.RPL_ENDOFWHOIS)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_ENDOFWHOIS)(message.args);
if (!reply.isNull) {
if (reply.get.user.nickname in whoisCache) {
tryCall!"onWhois"(reply.get.user, whoisCache[reply.get.user.nickname]);
whoisCache.remove(reply.get.user.nickname);
} else {
tryCall!"onError"(IRCError(ErrorType.unexpected, "empty WHOIS data returned"), metadata);
}
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.RPL_WHOISUSER)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_WHOISUSER)(message.args);
if (!reply.isNull) {
if (reply.get.user.nickname !in whoisCache) {
whoisCache[reply.get.user.nickname] = WhoisResponse();
}
whoisCache[reply.get.user.nickname].username = reply.get.username;
whoisCache[reply.get.user.nickname].hostname = reply.get.hostname;
whoisCache[reply.get.user.nickname].realname = reply.get.realname;
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.RPL_WHOISSECURE)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_WHOISSECURE)(message.args);
if (!reply.isNull) {
if (reply.get.user.nickname !in whoisCache) {
whoisCache[reply.get.user.nickname] = WhoisResponse();
}
whoisCache[reply.get.user.nickname].isSecure = true;
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.RPL_WHOISOPERATOR)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_WHOISOPERATOR)(message.args);
if (!reply.isNull) {
if (reply.get.user.nickname !in whoisCache) {
whoisCache[reply.get.user.nickname] = WhoisResponse();
}
whoisCache[reply.get.user.nickname].isOper = true;
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.RPL_WHOISREGNICK)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_WHOISREGNICK)(message.args);
if (!reply.isNull) {
if (reply.get.user.nickname !in whoisCache) {
whoisCache[reply.get.user.nickname] = WhoisResponse();
}
whoisCache[reply.get.user.nickname].isRegistered = true;
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.RPL_WHOISIDLE)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_WHOISIDLE)(message.args);
if (!reply.isNull) {
if (reply.user.get.nickname !in whoisCache) {
whoisCache[reply.user.get.nickname] = WhoisResponse();
}
whoisCache[reply.user.get.nickname].idleTime = reply.idleTime;
whoisCache[reply.user.get.nickname].connectedTime = reply.connectedTime;
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.RPL_WHOISSERVER)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_WHOISSERVER)(message.args);
if (!reply.isNull) {
if (reply.get.user.nickname !in whoisCache) {
whoisCache[reply.get.user.nickname] = WhoisResponse();
}
whoisCache[reply.get.user.nickname].connectedTo = reply.get.server;
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.RPL_WHOISACCOUNT)(IRCMessage message, const MessageMetadata metadata) {
auto reply = parseNumeric!(Numeric.RPL_WHOISACCOUNT)(message.args);
if (!reply.isNull) {
if (reply.get.user.nickname !in whoisCache) {
whoisCache[reply.get.user.nickname] = WhoisResponse();
}
whoisCache[reply.get.user.nickname].account = reply.get.account;
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void rec(string cmd : Numeric.RPL_WHOISCHANNELS)(IRCMessage message, const MessageMetadata metadata) {
string prefixes;
foreach (k,v; server.iSupport.prefixes) {
prefixes ~= v;
}
auto reply = parseNumeric!(Numeric.RPL_WHOISCHANNELS)(message.args, prefixes, server.iSupport.channelTypes);
if (!reply.isNull) {
if (reply.get.user.nickname !in whoisCache) {
whoisCache[reply.get.user.nickname] = WhoisResponse();
}
foreach (channel; reply.get.channels) {
auto whoisChannel = WhoisChannel();
whoisChannel.name = channel.channel;
if (!channel.prefix.isNull) {
whoisChannel.prefix = channel.prefix.get;
}
whoisCache[reply.get.user.nickname].channels[channel.channel.name] = whoisChannel;
}
} else {
tryCall!"onError"(IRCError(ErrorType.malformed), metadata);
}
}
private void recUnknownNumeric(const string cmd, const MessageMetadata metadata) {
tryCall!"onError"(IRCError(ErrorType.unrecognized, cmd), metadata);
debug(verboseirc) import std.experimental.logger : trace;
debug(verboseirc) trace("Unhandled numeric: ", cast(Numeric)cmd, " ", metadata.original);
}
private void rec(string cmd : IRCV3Commands.account)(IRCMessage message, const MessageMetadata metadata) {
auto split = message.args;
if (!split.empty) {
auto user = message.sourceUser.get;
auto newAccount = split.front;
internalAddressList.update(user);
auto newUser = internalAddressList[user.nickname];
if (newAccount == "*") {
newUser.account.nullify();
} else {
newUser.account = newAccount;
}
internalAddressList.updateExact(newUser);
}
}
private void rec(string cmd : IRCV3Commands.authenticate)(IRCMessage message, const MessageMetadata metadata) {
import std.base64 : Base64;
auto split = message.args;
if (split.front != "+") {
receivedSASLAuthenticationText ~= Base64.decode(split.front);
}
if ((selectedSASLMech) && (split.front == "+" || (split.front.length < 400))) {
selectedSASLMech.put(receivedSASLAuthenticationText);
if (selectedSASLMech.empty) {
sendAuthenticatePayload("");
} else {
sendAuthenticatePayload(selectedSASLMech.front);
selectedSASLMech.popFront();
}
receivedSASLAuthenticationText = [];
}
}
}
version(unittest) {
import std.algorithm : equal, sort, until;
import std.array : appender, array;
import std.range: drop, empty, tail;
import std.stdio : writeln;
import std.string : lineSplitter, representation;
import std.typecons : Tuple, tuple;
import virc.ircv3 : Capability;
static immutable testClientInfo = NickInfo("nick", "ident", "real name!");
static immutable testUser = User(testClientInfo.nickname, testClientInfo.username, "example.org");
mixin template Test() {
bool lineReceived;
void onRaw(const MessageMetadata) @safe pure {
lineReceived = true;
}
}
void setupFakeConnection(T)(ref T client) {
if (!client.onError) {
client.onError = (const IRCError error, const MessageMetadata metadata) {
writeln(metadata.time, " - ", error.type, " - ", metadata.original);
};
}
client.put(":localhost 001 someone :Welcome to the TestNet IRC Network "~testUser.text);
client.put(":localhost 002 someone :Your host is localhost, running version IRCd-2.0");
client.put(":localhost 003 someone :This server was created 20:21:33 Oct 21 2016");
client.put(":localhost 004 someone localhost IRCd-2.0 BGHIRSWcdgikorswx ABCDFGIJKLMNOPQRSTYabcefghijklmnopqrstuvz FIJLYabefghjkloqv");
client.put(":localhost 005 someone AWAYLEN=200 CALLERID=g CASEMAPPING=rfc1459 CHANMODES=IYbeg,k,FJLfjl,ABCDGKMNOPQRSTcimnprstuz CHANNELLEN=31 CHANTYPES=# CHARSET=ascii ELIST=MU ESILENCE EXCEPTS=e EXTBAN=,ABCNOQRSTUcjmprsz FNC INVEX=I :are supported by this server");
client.put(":localhost 005 someone KICKLEN=255 MAP MAXBANS=60 MAXCHANNELS=25 MAXPARA=32 MAXTARGETS=20 MODES=10 NAMESX NETWORK=TestNet NICKLEN=31 OPERLOG OVERRIDE PREFIX=(qaohv)~&@%+ :are supported by this server");
client.put(":localhost 005 someone REMOVE SECURELIST SILENCE=32 SSL=[::]:6697 STARTTLS STATUSMSG=~&@%+ TOPICLEN=307 UHNAMES USERIP VBANLIST WALLCHOPS WALLVOICES WATCH=1000 :are supported by this server");
assert(client.isRegistered);
assert(client.server.iSupport.userhostsInNames == true);
}
void initializeCaps(T)(ref T client) {
initializeWithCaps(client, [Capability("multi-prefix"), Capability("server-time"), Capability("sasl", "EXTERNAL")]);
}
void initializeWithCaps(T)(ref T client, Capability[] caps) {
foreach (i, cap; caps) {
client.put(":localhost CAP * LS " ~ ((i+1 == caps.length) ? "" : "* ")~ ":" ~ cap.toString);
client.put(":localhost CAP * ACK :" ~ cap.name);
}
setupFakeConnection(client);
}
auto spawnNoBufferClient(string password = string.init) {
auto buffer = appender!(string);
return ircClient(buffer, testClientInfo, [], password);
}
auto spawnNoBufferClient(alias mix)(string password = string.init) {
auto buffer = appender!(string);
return ircClient!mix(buffer, testClientInfo, [], password);
}
}
//Test the basics
@safe unittest {
auto client = spawnNoBufferClient!Test();
client.put("");
assert(client.lineReceived == false);
client.put("\r\n");
assert(client.lineReceived == false);
client.put("hello");
assert(client.lineReceived == true);
assert(!client.isRegistered);
client.put(":localhost 001 someone :words");
assert(client.isRegistered);
client.put(":localhost 001 someone :words");
assert(client.isRegistered);
}
//Auto-decoding test
@system unittest {
auto client = spawnNoBufferClient!Test();
client.put("\r\n".representation);
assert(client.lineReceived == false);
}
@safe unittest {
import virc.ircv3 : Capability;
{ //password test
auto client = spawnNoBufferClient("Example");
assert(client.output.data.lineSplitter.until!(x => x.startsWith("USER")).canFind("PASS :Example"));
}
//Request capabilities (IRC v3.2)
{
auto client = spawnNoBufferClient();
client.put(":localhost CAP * LS :multi-prefix sasl");
client.put(":localhost CAP * ACK :multi-prefix sasl");
auto lineByLine = client.output.data.lineSplitter;
assert(lineByLine.front == "CAP LS 302");
lineByLine.popFront();
lineByLine.popFront();
lineByLine.popFront();
//sasl not yet supported
assert(lineByLine.front == "CAP REQ :multi-prefix sasl");
lineByLine.popFront();
assert(!lineByLine.empty);
assert(lineByLine.front == "CAP END");
}
//Request capabilities NAK (IRC v3.2)
{
auto client = spawnNoBufferClient();
Capability[] capabilities;
client.onReceiveCapNak = (const Capability cap, const MessageMetadata) {
capabilities ~= cap;
};
client.put(":localhost CAP * LS :multi-prefix");
client.put(":localhost CAP * NAK :multi-prefix");
auto lineByLine = client.output.data.lineSplitter;
assert(lineByLine.front == "CAP LS 302");
lineByLine.popFront();
lineByLine.popFront();
lineByLine.popFront();
//sasl not yet supported
assert(lineByLine.front == "CAP REQ :multi-prefix");
lineByLine.popFront();
assert(!lineByLine.empty);
assert(lineByLine.front == "CAP END");
assert(!client.capsEnabled.canFind("multi-prefix"));
assert(capabilities.length == 1);
assert(capabilities[0] == Capability("multi-prefix"));
}
//Request capabilities, multiline (IRC v3.2)
{
auto client = spawnNoBufferClient();
auto lineByLine = client.output.data.lineSplitter();
Capability[] capabilities;
client.onReceiveCapLS = (const Capability cap, const MessageMetadata) {
capabilities ~= cap;
};
assert(lineByLine.front == "CAP LS 302");
put(client, ":localhost CAP * LS * :multi-prefix extended-join account-notify batch invite-notify tls");
put(client, ":localhost CAP * LS * :cap-notify server-time example.org/dummy-cap=dummyvalue example.org/second-dummy-cap");
put(client, ":localhost CAP * LS :userhost-in-names sasl=EXTERNAL,DH-AES,DH-BLOWFISH,ECDSA-NIST256P-CHALLENGE,PLAIN");
assert(capabilities.length == 12);
setupFakeConnection(client);
}
//CAP LIST multiline (IRC v3.2)
{
auto client = spawnNoBufferClient();
Capability[] capabilities;
client.onReceiveCapList = (const Capability cap, const MessageMetadata) {
capabilities ~= cap;
};
setupFakeConnection(client);
client.capList();
client.put(":localhost CAP modernclient LIST * :example.org/example-cap example.org/second-example-cap account-notify");
client.put(":localhost CAP modernclient LIST :invite-notify batch example.org/third-example-cap");
assert(
capabilities.array.sort().equal(
[
Capability("account-notify"),
Capability("batch"),
Capability("example.org/example-cap"),
Capability("example.org/second-example-cap"),
Capability("example.org/third-example-cap"),
Capability("invite-notify")
]
));
}
//CAP NEW, DEL (IRCv3.2 - cap-notify)
{
auto client = spawnNoBufferClient();
Capability[] capabilitiesNew;
Capability[] capabilitiesDeleted;
client.onReceiveCapNew = (const Capability cap, const MessageMetadata) {
capabilitiesNew ~= cap;
};
client.onReceiveCapDel = (const Capability cap, const MessageMetadata) {
capabilitiesDeleted ~= cap;
};
initializeWithCaps(client, [Capability("cap-notify"), Capability("userhost-in-names"), Capability("multi-prefix"), Capability("away-notify")]);
assert(client.capsEnabled.length == 4);
client.put(":irc.example.com CAP modernclient NEW :batch");
assert(capabilitiesNew == [Capability("batch")]);
client.put(":irc.example.com CAP modernclient ACK :batch");
assert(
client.capsEnabled.sort().equal(
[
Capability("away-notify"),
Capability("batch"),
Capability("cap-notify"),
Capability("multi-prefix"),
Capability("userhost-in-names")
]
));
client.put(":irc.example.com CAP modernclient DEL :userhost-in-names multi-prefix away-notify");
assert(
capabilitiesDeleted.array.sort().equal(
[
Capability("away-notify"),
Capability("multi-prefix"),
Capability("userhost-in-names")
]
));
assert(
client.capsEnabled.sort().equal(
[
Capability("batch"),
Capability("cap-notify")
]
));
client.put(":irc.example.com CAP modernclient NEW :account-notify");
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "CAP REQ :account-notify");
}
{ //JOIN
auto client = spawnNoBufferClient();
Tuple!(const User, "user", const Channel, "channel")[] joins;
client.onJoin = (const User user, const Channel chan, const MessageMetadata) {
joins ~= tuple!("user", "channel")(user, chan);
};
TopicWhoTime topicWhoTime;
bool topicWhoTimeReceived;
client.onTopicWhoTimeReply = (const TopicWhoTime twt, const MessageMetadata) {
assert(!topicWhoTimeReceived);
topicWhoTimeReceived = true;
topicWhoTime = twt;
};
TopicReply topicReply;
bool topicReplyReceived;
client.onTopicReply = (const TopicReply tr, const MessageMetadata) {
assert(!topicReplyReceived);
topicReplyReceived = true;
topicReply = tr;
};
setupFakeConnection(client);
client.join("#test");
client.put(":someone!ident@hostmask JOIN :#test");
client.put(":localhost 332 someone #test :a topic");
client.put(":localhost 333 someone #test someoneElse :1496821983");
client.put(":localhost 353 someone = #test :someone!ident@hostmask another!user@somewhere");
client.put(":localhost 366 someone #test :End of /NAMES list.");
client.put(":localhost 324 someone #test :+nt");
client.put(":localhost 329 someone #test :1496821983");
assert(joins.length == 1);
with(joins[0]) {
assert(user.nickname == "someone");
assert(channel.name == "#test");
}
assert("someone" in client.channels["#test"].users);
assert(client.channels["#test"].users["someone"] == User("someone!ident@hostmask"));
assert("someone" in client.internalAddressList);
assert(client.internalAddressList["someone"] == User("someone!ident@hostmask"));
assert(topicWhoTimeReceived);
assert(topicReplyReceived);
with(topicReply) {
assert(channel == "#test");
assert(topic == "a topic");
}
with (topicWhoTime) {
//TODO: remove when lack of these imports no longer produces warnings
import std.datetime : SysTime;
import virc.common : User;
assert(channel == "#test");
assert(setter == User("someoneElse"));
assert(timestamp == SysTime(DateTime(2017, 6, 7, 7, 53, 3), UTC()));
}
//TODO: Add 366, 324, 329 tests
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "JOIN #test");
}
{ //Channel list example
auto client = spawnNoBufferClient();
const(ChannelListResult)[] channels;
client.onList = (const ChannelListResult chan, const MessageMetadata) {
channels ~= chan;
};
setupFakeConnection(client);
client.list();
client.put("321 someone Channel :Users Name");
client.put("322 someone #test 4 :[+fnt 200:2] some words");
client.put("322 someone #test2 6 :[+fnst 100:2] some more words");
client.put("322 someone #test3 1 :no modes?");
client.put("323 someone :End of channel list.");
assert(channels.length == 3);
with(channels[0]) {
//TODO: remove when lack of import no longer produces a warning
import virc.common : Topic;
assert(name == "#test");
assert(userCount == 4);
assert(topic == Topic("some words"));
}
with(channels[1]) {
//TODO: remove when lack of import no longer produces a warning
import virc.common : Topic;
assert(name == "#test2");
assert(userCount == 6);
assert(topic == Topic("some more words"));
}
with(channels[2]) {
//TODO: remove when lack of import no longer produces a warning
import virc.common : Topic;
assert(name == "#test3");
assert(userCount == 1);
assert(topic == Topic("no modes?"));
}
}
{ //server-time http://ircv3.net/specs/extensions/server-time-3.2.html
auto client = spawnNoBufferClient();
User[] users;
const(Channel)[] channels;
client.onJoin = (const User user, const Channel chan, const MessageMetadata metadata) {
users ~= user;
channels ~= chan;
assert(metadata.time == SysTime(DateTime(2012, 6, 30, 23, 59, 59), 419.msecs, UTC()));
};
setupFakeConnection(client);
client.put("@time=2012-06-30T23:59:59.419Z :John!~john@1.2.3.4 JOIN #chan");
assert(users.length == 1);
assert(users[0].nickname == "John");
assert(channels.length == 1);
assert(channels[0].name == "#chan");
}
{ //monitor
auto client = spawnNoBufferClient();
User[] users;
const(MessageMetadata)[] metadata;
client.onUserOnline = (const User user, const SysTime, const MessageMetadata) {
users ~= user;
};
client.onUserOffline = (const User user, const MessageMetadata) {
users ~= user;
};
client.onMonitorList = (const User user, const MessageMetadata) {
users ~= user;
};
client.onError = (const IRCError error, const MessageMetadata received) {
assert(error.type == ErrorType.monListFull);
metadata ~= received;
};
setupFakeConnection(client);
client.put(":localhost 730 someone :John!test@example.net,Bob!test2@example.com");
assert(users.length == 2);
with (users[0]) {
assert(nickname == "John");
assert(ident == "test");
assert(host == "example.net");
}
with (users[1]) {
assert(nickname == "Bob");
assert(ident == "test2");
assert(host == "example.com");
}
users.length = 0;
client.put(":localhost 731 someone :John");
assert(users.length == 1);
assert(users[0].nickname == "John");
users.length = 0;
client.put(":localhost 732 someone :John,Bob");
client.put(":localhost 733 someone :End of MONITOR list");
assert(users.length == 2);
assert(users[0].nickname == "John");
assert(users[1].nickname == "Bob");
client.put(":localhost 734 someone 5 Earl :Monitor list is full.");
assert(metadata.length == 1);
assert(metadata[0].messageNumeric.get == Numeric.ERR_MONLISTFULL);
}
{ //extended-join http://ircv3.net/specs/extensions/extended-join-3.1.html
auto client = spawnNoBufferClient();
User[] users;
client.onJoin = (const User user, const Channel, const MessageMetadata) {
users ~= user;
};
initializeWithCaps(client, [Capability("extended-join")]);
client.put(":nick!user@host JOIN #channelname accountname :Real Name");
auto user = User("nick!user@host");
user.account = "accountname";
user.realName = "Real Name";
assert(users.front == user);
user.account.nullify();
users = [];
client.put(":nick!user@host JOIN #channelname * :Real Name");
assert(users.front == user);
}
{ //test for blank caps
auto client = spawnNoBufferClient();
put(client, ":localhost CAP * LS * : ");
setupFakeConnection(client);
assert(client.isRegistered);
}
{ //example taken from RFC2812, section 3.2.2
auto client = spawnNoBufferClient();
User[] users;
const(Channel)[] channels;
string lastMsg;
client.onPart = (const User user, const Channel chan, const string msg, const MessageMetadata) {
users ~= user;
channels ~= chan;
lastMsg = msg;
};
setupFakeConnection(client);
client.put(":WiZ!jto@tolsun.oulu.fi PART #playzone :I lost");
immutable user = User("WiZ!jto@tolsun.oulu.fi");
assert(users.front == user);
assert(channels.front == Channel("#playzone"));
assert(lastMsg == "I lost");
}
{ //PART tests
auto client = spawnNoBufferClient();
Tuple!(const User, "user", const Channel, "channel", string, "message")[] parts;
client.onPart = (const User user, const Channel chan, const string msg, const MessageMetadata) {
parts ~= tuple!("user", "channel", "message")(user, chan, msg);
};
setupFakeConnection(client);
client.put(":"~testUser.text~" JOIN #example");
client.put(":SomeoneElse JOIN #example");
assert("#example" in client.channels);
assert("SomeoneElse" in client.channels["#example"].users);
client.put(":SomeoneElse PART #example :bye forever");
assert("SomeoneElse" !in client.channels["#example"].users);
client.put(":"~testUser.text~" PART #example :see ya");
assert("#example" !in client.channels);
client.put(":"~testUser.text~" JOIN #example");
client.put(":SomeoneElse JOIN #example");
assert("#example" in client.channels);
assert("SomeoneElse" in client.channels["#example"].users);
client.put(":SomeoneElse PART #example");
assert("SomeoneElse" !in client.channels["#example"].users);
client.put(":"~testUser.text~" PART #example");
assert("#example" !in client.channels);
assert(parts.length == 4);
with (parts[0]) {
assert(user == User("SomeoneElse"));
assert(channel == Channel("#example"));
assert(message == "bye forever");
}
with (parts[1]) {
assert(user == client.me);
assert(channel == Channel("#example"));
assert(message == "see ya");
}
with (parts[2]) {
assert(user == User("SomeoneElse"));
assert(channel == Channel("#example"));
}
with (parts[3]) {
assert(user == client.me);
assert(channel == Channel("#example"));
}
}
{ //http://ircv3.net/specs/extensions/chghost-3.2.html
auto client = spawnNoBufferClient();
User[] users;
client.onChgHost = (const User user, const User newUser, const MessageMetadata) {
users ~= user;
users ~= newUser;
};
setupFakeConnection(client);
client.put(":nick!user@host JOIN #test");
assert("nick" in client.internalAddressList);
assert(client.internalAddressList["nick"] == User("nick!user@host"));
client.put(":nick!user@host CHGHOST user new.host.goes.here");
assert(users[0] == User("nick!user@host"));
assert(users[1] == User("nick!user@new.host.goes.here"));
assert(client.internalAddressList["nick"] == User("nick!user@new.host.goes.here"));
client.put(":nick!user@host CHGHOST newuser host");
assert(users[2] == User("nick!user@host"));
assert(users[3] == User("nick!newuser@host"));
assert(client.internalAddressList["nick"] == User("nick!newuser@host"));
client.put(":nick!user@host CHGHOST newuser new.host.goes.here");
assert(users[4] == User("nick!user@host"));
assert(users[5] == User("nick!newuser@new.host.goes.here"));
assert(client.internalAddressList["nick"] == User("nick!newuser@new.host.goes.here"));
client.put(":tim!~toolshed@backyard CHGHOST b ckyard");
assert(users[6] == User("tim!~toolshed@backyard"));
assert(users[7] == User("tim!b@ckyard"));
assert(client.internalAddressList["tim"] == User("tim!b@ckyard"));
client.put(":tim!b@ckyard CHGHOST ~toolshed backyard");
assert(users[8] == User("tim!b@ckyard"));
assert(users[9] == User("tim!~toolshed@backyard"));
assert(client.internalAddressList["tim"] == User("tim!~toolshed@backyard"));
}
{ //PING? PONG!
auto client = spawnNoBufferClient();
setupFakeConnection(client);
client.put("PING :words");
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "PONG :words");
}
{ //echo-message http://ircv3.net/specs/extensions/echo-message-3.2.html
auto client = spawnNoBufferClient();
Message[] messages;
client.onMessage = (const User, const Target, const Message msg, const MessageMetadata) {
messages ~= msg;
};
setupFakeConnection(client);
client.msg("Attila", "hi");
client.put(":"~testUser.text~" PRIVMSG Attila :hi");
assert(messages.length > 0);
assert(messages[0].isEcho);
client.msg("#ircv3", "back from \x02lunch\x0F");
client.put(":"~testUser.text~" PRIVMSG #ircv3 :back from lunch");
assert(messages.length > 1);
assert(messages[1].isEcho);
}
{ //Test self-tracking
auto client = spawnNoBufferClient();
setupFakeConnection(client);
assert(client.me.nickname == testUser.nickname);
client.changeNickname("Testface");
client.put(":"~testUser.nickname~" NICK Testface");
assert(client.me.nickname == "Testface");
}
}
@system unittest {
{ //QUIT and invalidation check
import core.exception : AssertError;
import std.exception : assertThrown;
auto client = spawnNoBufferClient();
setupFakeConnection(client);
client.quit("I'm out");
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "QUIT :I'm out");
assert(client.invalid);
assertThrown!AssertError(client.put("PING :hahahaha"));
}
}
@safe unittest {
{ //NAMES
auto client = spawnNoBufferClient();
NamesReply[] replies;
client.onNamesReply = (const NamesReply reply, const MessageMetadata) {
replies ~= reply;
};
setupFakeConnection(client);
client.names();
client.put(":localhost 353 someone = #channel :User1 User2 @User3 +User4");
client.put(":localhost 353 someone @ #channel2 :User5 User2 @User6 +User7");
client.put(":localhost 353 someone * #channel3 :User1 User2 @User3 +User4");
client.put(":localhost 366 someone :End of NAMES list");
assert(replies.length == 3);
assert(replies[0].chanFlag == NamReplyFlag.public_);
assert(replies[1].chanFlag == NamReplyFlag.secret);
assert(replies[2].chanFlag == NamReplyFlag.private_);
}
{ //WATCH stuff
auto client = spawnNoBufferClient();
User[] users;
SysTime[] times;
client.onUserOnline = (const User user, const SysTime time, const MessageMetadata) {
users ~= user;
times ~= time;
};
setupFakeConnection(client);
client.put(":localhost 600 someone someoneElse someIdent example.net 911248013 :logged on");
assert(users.length == 1);
assert(users[0] == User("someoneElse!someIdent@example.net"));
assert(times.length == 1);
assert(times[0] == SysTime(DateTime(1998, 11, 16, 20, 26, 53), UTC()));
}
{ //LUSER stuff
auto client = spawnNoBufferClient();
bool lUserMeReceived;
bool lUserChannelsReceived;
bool lUserOpReceived;
bool lUserClientReceived;
LUserMe lUserMe;
LUserClient lUserClient;
LUserOp lUserOp;
LUserChannels lUserChannels;
client.onLUserMe = (const LUserMe param, const MessageMetadata) {
assert(!lUserMeReceived);
lUserMeReceived = true;
lUserMe = param;
};
client.onLUserChannels = (const LUserChannels param, const MessageMetadata) {
assert(!lUserChannelsReceived);
lUserChannelsReceived = true;
lUserChannels = param;
};
client.onLUserOp = (const LUserOp param, const MessageMetadata) {
assert(!lUserOpReceived);
lUserOpReceived = true;
lUserOp = param;
};
client.onLUserClient = (const LUserClient param, const MessageMetadata) {
assert(!lUserClientReceived);
lUserClientReceived = true;
lUserClient = param;
};
setupFakeConnection(client);
client.lUsers();
client.put(":localhost 251 someone :There are 8 users and 0 invisible on 2 servers");
client.put(":localhost 252 someone 1 :operator(s) online");
client.put(":localhost 254 someone 1 :channels formed");
client.put(":localhost 255 someone :I have 1 clients and 1 servers");
assert(lUserMeReceived);
assert(lUserChannelsReceived);
assert(lUserOpReceived);
assert(lUserClientReceived);
assert(lUserMe.message == "I have 1 clients and 1 servers");
assert(lUserClient.message == "There are 8 users and 0 invisible on 2 servers");
assert(lUserOp.numOperators == 1);
assert(lUserOp.message == "operator(s) online");
assert(lUserChannels.numChannels == 1);
assert(lUserChannels.message == "channels formed");
}
{ //PRIVMSG and NOTICE stuff
auto client = spawnNoBufferClient();
Tuple!(const User, "user", const Target, "target", const Message, "message")[] messages;
client.onMessage = (const User user, const Target target, const Message msg, const MessageMetadata) {
messages ~= tuple!("user", "target", "message")(user, target, msg);
};
setupFakeConnection(client);
client.put(":someoneElse!somebody@somewhere PRIVMSG someone :words go here");
assert(messages.length == 1);
with (messages[0]) {
assert(user == User("someoneElse!somebody@somewhere"));
assert(!target.isChannel);
assert(target.isNickname);
assert(target == User("someone"));
assert(message == "words go here");
assert(message.isReplyable);
assert(!message.isEcho);
}
client.put(":ohno!it's@me PRIVMSG #someplace :more words go here");
assert(messages.length == 2);
with (messages[1]) {
assert(user == User("ohno!it's@me"));
assert(target.isChannel);
assert(!target.isNickname);
assert(target == Channel("#someplace"));
assert(message == "more words go here");
assert(message.isReplyable);
assert(!message.isEcho);
}
client.put(":someoneElse2!somebody2@somewhere2 NOTICE someone :words don't go here");
assert(messages.length == 3);
with(messages[2]) {
assert(user == User("someoneElse2!somebody2@somewhere2"));
assert(!target.isChannel);
assert(target.isNickname);
assert(target == User("someone"));
assert(message == "words don't go here");
assert(!message.isReplyable);
assert(!message.isEcho);
}
client.put(":ohno2!it's2@me4 NOTICE #someplaceelse :more words might go here");
assert(messages.length == 4);
with(messages[3]) {
assert(user == User("ohno2!it's2@me4"));
assert(target.isChannel);
assert(!target.isNickname);
assert(target == Channel("#someplaceelse"));
assert(message == "more words might go here");
assert(!message.isReplyable);
assert(!message.isEcho);
}
client.put(":someoneElse2!somebody2@somewhere2 NOTICE someone :\x01ACTION did the thing\x01");
assert(messages.length == 5);
with(messages[4]) {
assert(user == User("someoneElse2!somebody2@somewhere2"));
assert(!target.isChannel);
assert(target.isNickname);
assert(target == User("someone"));
assert(message.isCTCP);
assert(message.ctcpArgs == "did the thing");
assert(message.ctcpCommand == "ACTION");
assert(!message.isReplyable);
assert(!message.isEcho);
}
client.put(":ohno2!it's2@me4 NOTICE #someplaceelse :\x01ACTION did not do the thing\x01");
assert(messages.length == 6);
with(messages[5]) {
assert(user == User("ohno2!it's2@me4"));
assert(target.isChannel);
assert(!target.isNickname);
assert(target == Channel("#someplaceelse"));
assert(message.isCTCP);
assert(message.ctcpArgs == "did not do the thing");
assert(message.ctcpCommand == "ACTION");
assert(!message.isReplyable);
assert(!message.isEcho);
}
client.msg("#channel", "ohai");
client.notice("#channel", "ohi");
client.msg("someoneElse", "ohay");
client.notice("someoneElse", "ohello");
Target channelTarget;
channelTarget.channel = Channel("#channel");
Target userTarget;
userTarget.user = User("someoneElse");
client.msg(channelTarget, Message("ohai"));
client.notice(channelTarget, Message("ohi"));
client.msg(userTarget, Message("ohay"));
client.notice(userTarget, Message("ohello"));
auto lineByLine = client.output.data.lineSplitter();
foreach (i; 0..5) //skip the initial handshake
lineByLine.popFront();
assert(lineByLine.array == ["PRIVMSG #channel :ohai", "NOTICE #channel :ohi", "PRIVMSG someoneElse :ohay", "NOTICE someoneElse :ohello", "PRIVMSG #channel :ohai", "NOTICE #channel :ohi", "PRIVMSG someoneElse :ohay", "NOTICE someoneElse :ohello"]);
}
{ //PING? PONG!
auto client = spawnNoBufferClient();
setupFakeConnection(client);
client.ping("hooray");
client.put(":localhost PONG localhost :hooray");
client.put(":localhost PING :hoorah");
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-2] == "PING :hooray");
assert(lineByLine.array[$-1] == "PONG :hoorah");
}
{ //Mode change test
auto client = spawnNoBufferClient();
Tuple!(const User, "user", const Target, "target", const ModeChange, "change")[] changes;
client.onMode = (const User user, const Target target, const ModeChange mode, const MessageMetadata) {
changes ~= tuple!("user", "target", "change")(user, target, mode);
};
setupFakeConnection(client);
client.join("#test");
client.put(":"~testUser.text~" JOIN #test "~testUser.nickname);
client.put(":someone!ident@host JOIN #test");
client.put(":someoneElse!user@host2 MODE #test +s");
client.put(":someoneElse!user@host2 MODE #test -s");
client.put(":someoneElse!user@host2 MODE #test +kp 2");
client.put(":someoneElse!user@host2 MODE someone +r");
client.put(":someoneElse!user@host2 MODE someone +k");
assert(changes.length == 6);
with (changes[0]) {
assert(target == Channel("#test"));
assert(user == User("someoneElse!user@host2"));
}
with (changes[1]) {
assert(target == Channel("#test"));
assert(user == User("someoneElse!user@host2"));
}
with (changes[2]) {
assert(target == Channel("#test"));
assert(user == User("someoneElse!user@host2"));
}
with (changes[3]) {
assert(target == Channel("#test"));
assert(user == User("someoneElse!user@host2"));
}
with (changes[4]) {
assert(target == User("someone"));
assert(user == User("someoneElse!user@host2"));
}
with (changes[5]) {
assert(target == User("someone"));
assert(user == User("someoneElse!user@host2"));
}
}
{ //client join stuff
auto client = spawnNoBufferClient();
client.join("#test");
assert(client.output.data.lineSplitter.array[$-1] == "JOIN #test");
client.join(Channel("#test2"));
assert(client.output.data.lineSplitter.array[$-1] == "JOIN #test2");
client.join("#test3", "key");
assert(client.output.data.lineSplitter.array[$-1] == "JOIN #test3 key");
client.join("#test4", "key2");
assert(client.output.data.lineSplitter.array[$-1] == "JOIN #test4 key2");
}
{ //account-tag examples from http://ircv3.net/specs/extensions/account-tag-3.2.html
auto client = spawnNoBufferClient();
User[] privmsgUsers;
client.onMessage = (const User user, const Target, const Message, const MessageMetadata) {
privmsgUsers ~= user;
};
setupFakeConnection(client);
client.put(":user PRIVMSG #atheme :Hello everyone.");
client.put(":user ACCOUNT hax0r");
client.put("@account=hax0r :user PRIVMSG #atheme :Now I'm logged in.");
client.put("@account=hax0r :user ACCOUNT bob");
client.put("@account=bob :user PRIVMSG #atheme :I switched accounts.");
with(privmsgUsers[0]) {
assert(account.isNull);
}
with(privmsgUsers[1]) {
assert(account.get == "hax0r");
}
with(privmsgUsers[2]) {
assert(account.get == "bob");
}
assert(client.internalAddressList["user"].account == "bob");
}
{ //account-notify - http://ircv3.net/specs/extensions/account-notify-3.1.html
auto client = spawnNoBufferClient();
setupFakeConnection(client);
client.put(":nick!user@host ACCOUNT accountname");
assert(client.internalAddressList["nick"].account.get == "accountname");
client.put(":nick!user@host ACCOUNT *");
assert(client.internalAddressList["nick"].account.isNull);
}
{ //monitor - http://ircv3.net/specs/core/monitor-3.2.html
auto client = spawnNoBufferClient();
initializeWithCaps(client, [Capability("MONITOR")]);
assert(client.monitorIsEnabled);
client.monitorAdd([User("Someone")]);
client.monitorRemove([User("Someone")]);
client.monitorClear();
client.monitorList();
client.monitorStatus();
const lineByLine = client.output.data.lineSplitter().drop(5).array;
assert(lineByLine == ["MONITOR + Someone", "MONITOR - Someone", "MONITOR C", "MONITOR L", "MONITOR S"]);
}
{ //No MOTD test
auto client = spawnNoBufferClient();
bool errorReceived;
client.onError = (const IRCError error, const MessageMetadata) {
assert(!errorReceived);
errorReceived = true;
assert(error.type == ErrorType.noMOTD);
};
setupFakeConnection(client);
client.put("422 someone :MOTD File is missing");
assert(errorReceived);
}
{ //NICK tests
auto client = spawnNoBufferClient();
Tuple!(const User, "old", const User, "new_")[] nickChanges;
client.onNick = (const User old, const User new_, const MessageMetadata) {
nickChanges ~= tuple!("old", "new_")(old, new_);
};
setupFakeConnection(client);
client.put(":WiZ JOIN #testchan");
client.put(":dan- JOIN #testchan");
client.put(":WiZ NICK Kilroy");
assert(nickChanges.length == 1);
with(nickChanges[0]) {
assert(old.nickname == "WiZ");
assert(new_.nickname == "Kilroy");
}
assert("Kilroy" in client.internalAddressList);
assert("Kilroy" in client.channels["#testchan"].users);
assert("WiZ" !in client.channels["#testchan"].users);
client.put(":dan-!d@localhost NICK Mamoped");
assert(nickChanges.length == 2);
with(nickChanges[1]) {
assert(old.nickname == "dan-");
assert(new_.nickname == "Mamoped");
}
assert("Mamoped" in client.internalAddressList);
assert("Mamoped" in client.channels["#testchan"].users);
assert("dan-" !in client.channels["#testchan"].users);
//invalid, so we shouldn't see anything
client.put(":a NICK");
assert(nickChanges.length == 2);
}
{ //QUIT tests
auto client = spawnNoBufferClient();
Tuple!(const User, "user", string, "message")[] quits;
client.onQuit = (const User user, const string msg, const MessageMetadata) {
quits ~= tuple!("user", "message")(user, msg);
};
setupFakeConnection(client);
client.put(":dan-!d@localhost QUIT :Quit: Bye for now!");
assert(quits.length == 1);
with (quits[0]) {
assert(user == User("dan-!d@localhost"));
assert(message == "Quit: Bye for now!");
}
client.put(":nomessage QUIT");
assert(quits.length == 2);
with(quits[1]) {
assert(user == User("nomessage"));
assert(message == "");
}
}
{ //Batch stuff
auto client = spawnNoBufferClient();
Tuple!(const User, "user", const MessageMetadata, "metadata")[] quits;
client.onQuit = (const User user, const string, const MessageMetadata metadata) {
quits ~= tuple!("user", "metadata")(user, metadata);
};
setupFakeConnection(client);
client.put(`:irc.host BATCH +yXNAbvnRHTRBv netsplit irc.hub other.host`);
client.put(`@batch=yXNAbvnRHTRBv :aji!a@a QUIT :irc.hub other.host`);
client.put(`@batch=yXNAbvnRHTRBv :nenolod!a@a QUIT :irc.hub other.host`);
client.put(`:nick!user@host PRIVMSG #channel :This is not in batch, so processed immediately`);
client.put(`@batch=yXNAbvnRHTRBv :jilles!a@a QUIT :irc.hub other.host`);
assert(quits.length == 0);
client.put(`:irc.host BATCH -yXNAbvnRHTRBv`);
assert(quits.length == 3);
with(quits[0]) {
assert(metadata.batch.type == "netsplit");
}
}
{ //INVITE tests
auto client = spawnNoBufferClient();
Tuple!(const User, "inviter", const User, "invited", const Channel, "channel")[] invites;
client.onInvite = (const User inviter, const User invited, const Channel channel, const MessageMetadata) {
invites ~= tuple!("inviter", "invited", "channel")(inviter, invited, channel);
};
setupFakeConnection(client);
//Ensure the internal address list gets used for invited users as well
client.internalAddressList.update(User("Wiz!ident@host"));
client.put(":Angel INVITE Wiz #Dust");
assert(invites.length == 1);
with(invites[0]) {
assert(inviter.nickname == "Angel");
assert(invited.nickname == "Wiz");
assert(invited.host == "host");
assert(channel == Channel("#Dust"));
}
client.put(":ChanServ!ChanServ@example.com INVITE Attila #channel");
assert(invites.length == 2);
with(invites[1]) {
assert(inviter.nickname == "ChanServ");
assert(invited.nickname == "Attila");
assert(channel == Channel("#channel"));
}
}
{ //VERSION tests
auto client = spawnNoBufferClient();
VersionReply[] replies;
client.onVersionReply = (const VersionReply reply, const MessageMetadata) {
replies ~= reply;
};
setupFakeConnection(client);
client.version_();
client.put(format!":localhost 351 %s example-1.0 localhost :not a beta"(testUser.nickname));
with (replies[0]) {
assert(version_ == "example-1.0");
assert(server == "localhost");
assert(comments == "not a beta");
}
client.version_("*.example");
client.put(format!":localhost 351 %s example-1.0 test.example :not a beta"(testUser.nickname));
with (replies[1]) {
assert(version_ == "example-1.0");
assert(server == "test.example");
assert(comments == "not a beta");
}
}
{ //SASL test
auto client = spawnNoBufferClient();
client.saslMechs = [new SASLPlain("jilles", "jilles", "sesame")];
client.put(":localhost CAP * LS :sasl");
client.put(":localhost CAP whoever ACK :sasl");
client.put("AUTHENTICATE +");
client.put(":localhost 900 "~testUser.nickname~" "~testUser.text~" "~testUser.nickname~" :You are now logged in as "~testUser.nickname);
client.put(":localhost 903 "~testUser.nickname~" :SASL authentication successful");
assert(client.output.data.canFind("AUTHENTICATE amlsbGVzAGppbGxlcwBzZXNhbWU="));
assert(client.isAuthenticated == true);
assert(client.me.account.get == testUser.nickname);
}
{ //SASL 3.2 test
auto client = spawnNoBufferClient();
client.saslMechs = [new SASLPlain("jilles", "jilles", "sesame")];
client.put(":localhost CAP * LS :sasl=UNKNOWN,PLAIN,EXTERNAL");
client.put(":localhost CAP whoever ACK :sasl");
client.put("AUTHENTICATE +");
client.put(":localhost 900 "~testUser.nickname~" "~testUser.text~" "~testUser.nickname~" :You are now logged in as "~testUser.nickname);
client.put(":localhost 903 "~testUser.nickname~" :SASL authentication successful");
assert(client.output.data.canFind("AUTHENTICATE amlsbGVzAGppbGxlcwBzZXNhbWU="));
assert(client.isAuthenticated == true);
assert(client.me.account.get == testUser.nickname);
}
{ //SASL 3.2 test
auto client = spawnNoBufferClient();
client.saslMechs = [new SASLExternal];
client.put(":localhost CAP * LS :sasl=UNKNOWN,EXTERNAL");
client.put(":localhost CAP whoever ACK :sasl");
client.put("AUTHENTICATE +");
client.put(":localhost 900 "~testUser.nickname~" "~testUser.text~" "~testUser.nickname~" :You are now logged in as "~testUser.nickname);
client.put(":localhost 903 "~testUser.nickname~" :SASL authentication successful");
assert(client.output.data.canFind("AUTHENTICATE +"));
assert(client.isAuthenticated == true);
assert(client.me.account.get == testUser.nickname);
}
{ //SASL 3.2 test (bogus)
auto client = spawnNoBufferClient();
client.saslMechs = [new SASLPlain("jilles", "jilles", "sesame")];
client.put(":localhost CAP * LS :sasl=UNKNOWN,EXTERNAL");
client.put(":localhost CAP whoever ACK :sasl");
client.put("AUTHENTICATE +");
client.put(":localhost 900 "~testUser.nickname~" "~testUser.text~" "~testUser.nickname~" :You are now logged in as "~testUser.nickname);
client.put(":localhost 903 "~testUser.nickname~" :SASL authentication successful");
assert(!client.output.data.canFind("AUTHENTICATE amlsbGVzAGppbGxlcwBzZXNhbWU="));
assert(client.isAuthenticated == false);
//assert(client.me.account.get.isNull);
}
{ //SASL post-registration test
auto client = spawnNoBufferClient();
client.saslMechs = [new SASLExternal()];
setupFakeConnection(client);
client.capList();
client.put(":localhost CAP * LIST :sasl=UNKNOWN,PLAIN,EXTERNAL");
}
{ //KICK tests
auto client = spawnNoBufferClient();
Tuple!(const User, "kickedBy", const User, "kicked", const Channel, "channel", string, "message")[] kicks;
client.onKick = (const User kickedBy, const Channel channel, const User kicked, const string message, const MessageMetadata) {
kicks ~= tuple!("kickedBy", "kicked", "channel", "message")(kickedBy, kicked, channel, message);
};
setupFakeConnection(client);
client.kick(Channel("#test"), User("Example"), "message");
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "KICK #test Example :message");
client.put(":WiZ KICK #Finnish John");
assert(kicks.length == 1);
with(kicks[0]) {
assert(kickedBy == User("WiZ"));
assert(channel == Channel("#Finnish"));
assert(kicked == User("John"));
assert(message == "");
}
client.put(":Testo KICK #example User :Now with kick message!");
assert(kicks.length == 2);
with(kicks[1]) {
assert(kickedBy == User("Testo"));
assert(channel == Channel("#example"));
assert(kicked == User("User"));
assert(message == "Now with kick message!");
}
client.put(":WiZ!jto@tolsun.oulu.fi KICK #Finnish John");
assert(kicks.length == 3);
with(kicks[2]) {
assert(kickedBy == User("WiZ!jto@tolsun.oulu.fi"));
assert(channel == Channel("#Finnish"));
assert(kicked == User("John"));
assert(message == "");
}
client.put(":User KICK");
assert(kicks.length == 3);
client.put(":User KICK #channel");
assert(kicks.length == 3);
}
{ //REHASH tests
auto client = spawnNoBufferClient();
RehashingReply[] replies;
client.onServerRehashing = (const RehashingReply reply, const MessageMetadata) {
replies ~= reply;
};
IRCError[] errors;
client.onError = (const IRCError error, const MessageMetadata) {
errors ~= error;
};
setupFakeConnection(client);
client.rehash();
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "REHASH");
client.put(":localhost 382 Someone ircd.conf :Rehashing config");
assert(replies.length == 1);
with (replies[0]) {
import virc.common : User;
assert(me == User("Someone"));
assert(configFile == "ircd.conf");
assert(message == "Rehashing config");
}
client.put(":localhost 382 Nope");
assert(replies.length == 1);
client.put(":localhost 723 Someone rehash :Insufficient oper privileges");
client.put(":localhost 723 Someone");
assert(errors.length == 2);
with(errors[0]) {
assert(type == ErrorType.noPrivs);
}
with(errors[1]) {
assert(type == ErrorType.malformed);
}
}
{ //ISON tests
auto client = spawnNoBufferClient();
const(User)[] users;
client.onIsOn = (const User user, const MessageMetadata) {
users ~= user;
};
setupFakeConnection(client);
client.isOn("phone", "trillian", "WiZ", "jarlek", "Avalon", "Angel", "Monstah");
client.put(":localhost 303 Someone :trillian");
client.put(":localhost 303 Someone :WiZ");
client.put(":localhost 303 Someone :jarlek");
client.put(":localhost 303 Someone :Angel");
client.put(":localhost 303 Someone :Monstah");
assert(users.length == 5);
assert(users[0].nickname == "trillian");
assert(users[1].nickname == "WiZ");
assert(users[2].nickname == "jarlek");
assert(users[3].nickname == "Angel");
assert(users[4].nickname == "Monstah");
}
{ //OPER tests
auto client = spawnNoBufferClient();
bool received;
client.onYoureOper = (const MessageMetadata) {
received = true;
};
setupFakeConnection(client);
client.oper("foo", "bar");
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "OPER foo bar");
client.put(":localhost 381 Someone :You are now an IRC operator");
assert(received);
}
{ //SQUIT tests
auto client = spawnNoBufferClient();
IRCError[] errors;
client.onError = (const IRCError error, const MessageMetadata) {
errors ~= error;
};
setupFakeConnection(client);
client.squit("badserver.example.net", "Bad link");
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "SQUIT badserver.example.net :Bad link");
client.put(":localhost 481 Someone :Permission Denied- You're not an IRC operator");
client.put(":localhost 402 Someone badserver.example.net :No such server");
client.put(":localhost 402 Someone");
assert(errors.length == 3);
with(errors[0]) {
assert(type == ErrorType.noPrivileges);
}
with(errors[1]) {
assert(type == ErrorType.noSuchServer);
}
with(errors[2]) {
assert(type == ErrorType.malformed);
}
}
{ //AWAY tests
auto client = spawnNoBufferClient();
Tuple!(const User, "user", string, "message")[] aways;
client.onOtherUserAwayReply = (const User awayUser, const string msg, const MessageMetadata) {
aways ~= tuple!("user", "message")(awayUser, msg);
};
bool unAwayReceived;
client.onUnAwayReply = (const User, const MessageMetadata) {
unAwayReceived = true;
};
bool awayReceived;
client.onAwayReply = (const User, const MessageMetadata) {
awayReceived = true;
};
setupFakeConnection(client);
client.away("Laughing at salads");
client.put(":localhost 306 Someone :You have been marked as being away");
assert(client.isAway);
assert(awayReceived);
client.away();
client.put(":localhost 305 Someone :You are no longer marked as being away");
assert(!client.isAway);
assert(unAwayReceived);
client.put(":localhost 301 Someone AwayUser :User on fire");
assert(aways.length == 1);
with (aways[0]) {
assert(user == User("AwayUser"));
assert(message == "User on fire");
}
}
{ //ADMIN tests
auto client = spawnNoBufferClient();
setupFakeConnection(client);
client.admin("localhost");
client.admin();
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-2] == "ADMIN localhost");
assert(lineByLine.array[$-1] == "ADMIN");
client.put(":localhost 256 Someone :Administrative info for localhost");
client.put(":localhost 257 Someone :Name - Admin");
client.put(":localhost 258 Someone :Nickname - Admin");
client.put(":localhost 259 Someone :E-Mail - Admin@localhost");
}
{ //WHOIS tests
auto client = spawnNoBufferClient();
const(WhoisResponse)[] responses;
client.onWhois = (const User, const WhoisResponse whois) {
responses ~= whois;
};
setupFakeConnection(client);
client.whois("someoneElse");
client.put(":localhost 276 Someone someoneElse :has client certificate 0");
client.put(":localhost 311 Someone someoneElse someUsername someHostname * :Some Real Name");
client.put(":localhost 312 Someone someoneElse example.net :The real world is out there");
client.put(":localhost 313 Someone someoneElse :is an IRC operator");
client.put(":localhost 317 Someone someoneElse 1000 1500000000 :seconds idle, signon time");
client.put(":localhost 319 Someone someoneElse :+#test #test2");
client.put(":localhost 330 Someone someoneElse someoneElseAccount :is logged in as");
client.put(":localhost 378 Someone someoneElse :is connecting from someoneElse@127.0.0.5 127.0.0.5");
client.put(":localhost 671 Someone someoneElse :is using a secure connection");
client.put(":localhost 379 Someone someoneElse :is using modes +w");
client.put(":localhost 307 Someone someoneElse :is a registered nick");
assert(responses.length == 0);
client.put(":localhost 318 Someone someoneElse :End of /WHOIS list");
assert(responses.length == 1);
with(responses[0]) {
assert(isSecure);
assert(isOper);
assert(isRegistered);
assert(username.get == "someUsername");
assert(hostname.get == "someHostname");
assert(realname.get == "Some Real Name");
assert(connectedTime.get == SysTime(DateTime(2017, 7, 14, 2, 40, 0), UTC()));
assert(idleTime.get == 1000.seconds);
assert(connectedTo.get == "example.net");
assert(account.get == "someoneElseAccount");
assert(channels.length == 2);
assert("#test" in channels);
assert(channels["#test"].prefix == "+");
assert("#test2" in channels);
assert(channels["#test2"].prefix == "");
}
}
{ //RESTART tests
auto client = spawnNoBufferClient();
setupFakeConnection(client);
client.restart();
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "RESTART");
}
{ //WALLOPS tests
auto client = spawnNoBufferClient();
string[] messages;
client.onWallops = (const User, const string msg, const MessageMetadata) {
messages ~= msg;
};
setupFakeConnection(client);
client.wallops("Test message!");
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "WALLOPS :Test message!");
client.put(":OtherUser!someone@somewhere WALLOPS :Test message reply!");
assert(messages.length == 1);
assert(messages[0] == "Test message reply!");
}
{ //CTCP tests
auto client = spawnNoBufferClient();
setupFakeConnection(client);
client.ctcp(Target(User("test")), "ping");
client.ctcp(Target(User("test")), "action", "does the thing.");
client.ctcpReply(Target(User("test")), "ping", "1000000000");
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-3] == "PRIVMSG test :\x01ping\x01");
assert(lineByLine.array[$-2] == "PRIVMSG test :\x01action does the thing.\x01");
assert(lineByLine.array[$-1] == "NOTICE test :\x01ping 1000000000\x01");
}
{ //TOPIC tests
auto client = spawnNoBufferClient();
Tuple!(const User, "user", const Channel, "channel", string, "message")[] topics;
IRCError[] errors;
client.onTopicChange = (const User user, const Channel channel, const string msg, const MessageMetadata) {
topics ~= tuple!("user", "channel", "message")(user, channel, msg);
};
client.onError = (const IRCError error, const MessageMetadata) {
errors ~= error;
};
setupFakeConnection(client);
client.changeTopic(Target(Channel("#test")), "This is a new topic");
client.put(":"~testUser.text~" TOPIC #test :This is a new topic");
client.put(":"~testUser.text~" TOPIC #test"); //Malformed
client.put(":"~testUser.text~" TOPIC"); //Malformed
auto lineByLine = client.output.data.lineSplitter();
assert(lineByLine.array[$-1] == "TOPIC #test :This is a new topic");
assert(topics.length == 1);
with(topics[0]) {
assert(channel == Channel("#test"));
assert(message == "This is a new topic");
}
assert(errors.length == 2);
assert(errors[0].type == ErrorType.malformed);
assert(errors[1].type == ErrorType.malformed);
}
//Request capabilities (IRC v3.2) - Missing prefix
{
auto client = spawnNoBufferClient();
client.put("CAP * LS :multi-prefix sasl");
client.put("CAP * ACK :multi-prefix sasl");
auto lineByLine = client.output.data.lineSplitter;
lineByLine.popFront();
lineByLine.popFront();
lineByLine.popFront();
//sasl not yet supported
assert(lineByLine.front == "CAP REQ :multi-prefix sasl");
lineByLine.popFront();
assert(!lineByLine.empty);
assert(lineByLine.front == "CAP END");
}
} | D |
module instauser.basic.util;
/++
Compare two arrays in "length-constant" time. This thwarts timing-based
attacks by guaranteeing all comparisons (of a given length) take the same
amount of time.
See the section "Why does the hashing code on this page compare the hashes in
"length-constant" time?" at:
$(LINK https://crackstation.net/hashing-security.htm)
+/
bool lengthConstantEquals(ubyte[] a, ubyte[] b)
{
auto diff = a.length ^ b.length;
for(int i = 0; i < a.length && i < b.length; i++)
diff |= a[i] ^ b[i];
return diff == 0;
}
| D |
/Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Buffer.o : /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Deprecated.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Cancelable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObservableType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObserverType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Reactive.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/RecursiveLock.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Errors.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Event.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/First.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Rx.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/Platform.Linux.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.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/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Buffer~partial.swiftmodule : /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Deprecated.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Cancelable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObservableType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObserverType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Reactive.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/RecursiveLock.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Errors.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Event.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/First.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Rx.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/Platform.Linux.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.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/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Buffer~partial.swiftdoc : /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Deprecated.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Cancelable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObservableType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObserverType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Reactive.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/RecursiveLock.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Errors.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Event.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/First.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Rx.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/Platform/Platform.Linux.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.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 |
/Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/WebSockets.build/Model/WebSocket+Error.swift.o : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+Send.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Frame.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/WebSockets+Hash.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Fragmentation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameSerializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameDeserializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket+Error.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+ControlFrames.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/WebSockets+Flags.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/WebSocketFormatErrors.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/Headers+WebSockets.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Request+WebSockets.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Client/WebSocket+Client.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes
/Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/WebSockets.build/WebSocket+Error~partial.swiftmodule : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+Send.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Frame.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/WebSockets+Hash.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Fragmentation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameSerializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameDeserializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket+Error.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+ControlFrames.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/WebSockets+Flags.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/WebSocketFormatErrors.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/Headers+WebSockets.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Request+WebSockets.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Client/WebSocket+Client.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes
/Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/WebSockets.build/WebSocket+Error~partial.swiftdoc : /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+Send.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Frame.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/WebSockets+Hash.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Fragmentation.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameSerializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameDeserializer.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket+Error.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+ControlFrames.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/WebSockets+Flags.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/WebSocketFormatErrors.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/Headers+WebSockets.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Request+WebSockets.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket.swift /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Client/WebSocket+Client.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/HTTP.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Desktop/VaporProject/LaSalleChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes
| 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.glfw3.glfw3;
public
{
import derelict.glfw3.types;
import derelict.glfw3.functions;
}
private
{
import derelict.util.loader;
import derelict.util.system;
static if(Derelict_OS_Windows)
enum libNames = "glfw3.dll";
else static if(Derelict_OS_Mac)
enum libNames = "libglfw.3.dylib";
else static if(Derelict_OS_Posix)
enum libNames = "libglfw3.so,libglfw.so.3,/usr/local/lib/libglfw3.so,/usr/local/lib/libglfw.so.3";
else
static assert(0, "Need to implement GLFW libNames for this operating system.");
}
class DerelictGLFW3Loader : SharedLibLoader
{
protected
{
override void loadSymbols()
{
bindFunc(cast(void**)&glfwInit, "glfwInit");
bindFunc(cast(void**)&glfwTerminate, "glfwTerminate");
bindFunc(cast(void**)&glfwGetVersion, "glfwGetVersion");
bindFunc(cast(void**)&glfwGetVersionString, "glfwGetVersionString");
bindFunc(cast(void**)&glfwGetError, "glfwGetError");
bindFunc(cast(void**)&glfwErrorString, "glfwErrorString");
bindFunc(cast(void**)&glfwSetErrorCallback, "glfwSetErrorCallback");
bindFunc(cast(void**)&glfwGetVideoModes, "glfwGetVideoModes");
bindFunc(cast(void**)&glfwGetDesktopMode, "glfwGetDesktopMode");
bindFunc(cast(void**)&glfwSetGamma, "glfwSetGamma");
bindFunc(cast(void**)&glfwGetGammaRamp, "glfwGetGammaRamp");
bindFunc(cast(void**)&glfwSetGammaRamp, "glfwSetGammaRamp");
bindFunc(cast(void**)&glfwCreateWindow, "glfwCreateWindow");
bindFunc(cast(void**)&glfwWindowHint, "glfwWindowHint");
bindFunc(cast(void**)&glfwDestroyWindow, "glfwDestroyWindow");
bindFunc(cast(void**)&glfwSetWindowTitle, "glfwSetWindowTitle");
bindFunc(cast(void**)&glfwGetWindowSize, "glfwGetWindowSize");
bindFunc(cast(void**)&glfwSetWindowSize, "glfwSetWindowSize");
bindFunc(cast(void**)&glfwIconifyWindow, "glfwIconifyWindow");
bindFunc(cast(void**)&glfwRestoreWindow, "glfwRestoreWindow");
bindFunc(cast(void**)&glfwShowWindow, "glfwShowWindow");
bindFunc(cast(void**)&glfwHideWindow, "glfwHideWindow");
bindFunc(cast(void**)&glfwGetWindowParam, "glfwGetWindowParam");
bindFunc(cast(void**)&glfwSetWindowUserPointer, "glfwSetWindowUserPointer");
bindFunc(cast(void**)&glfwGetWindowUserPointer, "glfwGetWindowUserPointer");
bindFunc(cast(void**)&glfwSetWindowSizeCallback, "glfwSetWindowSizeCallback");
bindFunc(cast(void**)&glfwSetWindowCloseCallback, "glfwSetWindowCloseCallback");
bindFunc(cast(void**)&glfwSetWindowRefreshCallback, "glfwSetWindowRefreshCallback");
bindFunc(cast(void**)&glfwSetWindowFocusCallback, "glfwSetWindowFocusCallback");
bindFunc(cast(void**)&glfwSetWindowIconifyCallback, "glfwSetWindowIconifyCallback");
bindFunc(cast(void**)&glfwPollEvents, "glfwPollEvents");
bindFunc(cast(void**)&glfwWaitEvents, "glfwWaitEvents");
bindFunc(cast(void**)&glfwGetInputMode, "glfwGetInputMode");
bindFunc(cast(void**)&glfwSetInputMode, "glfwSetInputMode");
bindFunc(cast(void**)&glfwGetKey, "glfwGetKey");
bindFunc(cast(void**)&glfwGetMouseButton, "glfwGetMouseButton");
bindFunc(cast(void**)&glfwGetCursorPos, "glfwGetCursorPos");
bindFunc(cast(void**)&glfwSetCursorPos, "glfwSetCursorPos");
bindFunc(cast(void**)&glfwGetScrollOffset, "glfwGetScrollOffset");
bindFunc(cast(void**)&glfwSetKeyCallback, "glfwSetKeyCallback");
bindFunc(cast(void**)&glfwSetCharCallback, "glfwSetCharCallback");
bindFunc(cast(void**)&glfwSetMouseButtonCallback, "glfwSetMouseButtonCallback");
bindFunc(cast(void**)&glfwSetCursorPosCallback, "glfwSetCursorPosCallback");
bindFunc(cast(void**)&glfwSetScrollCallback, "glfwSetScrollCallback");
bindFunc(cast(void**)&glfwGetJoystickParam, "glfwGetJoystickParam");
bindFunc(cast(void**)&glfwGetJoystickAxes, "glfwGetJoystickAxes");
bindFunc(cast(void**)&glfwGetJoystickButtons, "glfwGetJoystickButtons");
bindFunc(cast(void**)&glfwSetClipboardString, "glfwSetClipboardString");
bindFunc(cast(void**)&glfwGetClipboardString, "glfwGetClipboardString");
bindFunc(cast(void**)&glfwGetTime, "glfwGetTime");
bindFunc(cast(void**)&glfwSetTime, "glfwSetTime");
bindFunc(cast(void**)&glfwMakeContextCurrent, "glfwMakeContextCurrent");
bindFunc(cast(void**)&glfwGetCurrentContext, "glfwGetCurrentContext");
bindFunc(cast(void**)&glfwSwapBuffers, "glfwSwapBuffers");
bindFunc(cast(void**)&glfwSwapInterval, "glfwSwapInterval");
bindFunc(cast(void**)&glfwExtensionSupported, "glfwExtensionSupported");
bindFunc(cast(void**)&glfwGetProcAddress, "glfwGetProcAddress");
bindFunc(cast(void**)&glfwCopyContext, "glfwCopyContext");
}
}
public
{
this()
{
super(libNames);
}
}
}
__gshared DerelictGLFW3Loader DerelictGLFW3;
shared static this()
{
DerelictGLFW3 = new DerelictGLFW3Loader();
}
shared static ~this()
{
DerelictGLFW3.unload();
}
| D |
module mci.vm.io.writer;
import mci.core.common,
mci.core.container,
mci.core.io,
mci.core.tuple,
mci.core.code.functions,
mci.core.code.instructions,
mci.core.code.metadata,
mci.core.code.modules,
mci.core.typing.core,
mci.core.typing.members,
mci.core.typing.types,
mci.vm.io.common,
mci.vm.io.extended,
mci.vm.io.table;
public final class ModuleWriter : ModuleSaver
{
private FileStream _file;
private VMBinaryWriter _writer;
private bool _done;
private StringTable _table;
invariant()
{
assert(_table);
}
public this()
{
_table = new typeof(_table)();
}
public void save(Module module_, string path)
in
{
assert(!_done);
}
body
{
_done = true;
_file = new typeof(_file)(path, FileMode.truncate);
_writer = new typeof(_writer)(_file);
writeModule(module_);
_file.close();
}
private void writeModule(Module module_)
in
{
assert(module_);
}
body
{
_writer.writeArray(fileMagic);
_writer.write(fileVersion);
auto stOffset = _writer.stream.position;
_writer.write!ulong(0); // String table offset.
_writer.write(cast(uint)module_.types.count);
foreach (type; module_.types)
writeType(type.y);
_writer.write(cast(uint)module_.functions.count);
foreach (func; module_.functions)
writeFunction(func.y);
foreach (func; module_.functions)
{
foreach (block; func.y.blocks)
{
_writer.write(cast(uint)block.y.stream.count);
foreach (instr; block.y.stream)
writeInstruction(instr);
}
}
_writer.write(!!module_.entryPoint);
if (module_.entryPoint)
writeFunctionReference(module_.entryPoint);
_writer.write(!!module_.threadEntryPoint);
if (module_.threadEntryPoint)
writeFunctionReference(module_.threadEntryPoint);
_writer.write(!!module_.threadExitPoint);
if (module_.threadExitPoint)
writeFunctionReference(module_.threadExitPoint);
writeMetadataSegment(module_);
auto st = _writer.stream.position;
writeStringTable();
// Now go back and write the start of the string table.
_writer.stream.position = stOffset;
_writer.write(st);
}
private void writeMetadataSegment(Module module_)
in
{
assert(module_);
}
body
{
auto countOffset = _writer.stream.position;
_writer.write!ulong(0); // Metadata pair count.
ulong count;
foreach (type; filter(module_.types, (Tuple!(string, StructureType) tup) => !tup.y.metadata.empty))
{
count++;
_writer.write(MetadataType.type);
writeStructureTypeReference(type.y);
writeMetadata(type.y.metadata);
foreach (field; filter(type.y.fields, (Tuple!(string, Field) tup) => !tup.y.metadata.empty))
{
count++;
_writer.write(MetadataType.field);
writeFieldReference(field.y);
writeMetadata(field.y.metadata);
}
}
foreach (func; filter(module_.functions, (Tuple!(string, Function) tup) => !tup.y.metadata.empty))
{
count++;
_writer.write(MetadataType.function_);
writeFunctionReference(func.y);
writeMetadata(func.y.metadata);
foreach (param; filter(func.y.parameters, (Parameter p) => !p.metadata.empty))
{
count++;
_writer.write(MetadataType.parameter);
writeFunctionReference(func.y);
writeParameterReference(param);
writeMetadata(param.metadata);
}
foreach (reg; filter(func.y.registers, (Tuple!(string, Register) tup) => !tup.y.metadata.empty))
{
count++;
_writer.write(MetadataType.register);
writeFunctionReference(func.y);
writeRegisterReference(reg.y);
writeMetadata(reg.y.metadata);
}
foreach (block; filter(func.y.blocks, (Tuple!(string, BasicBlock) tup) => !tup.y.metadata.empty))
{
count++;
_writer.write(MetadataType.block);
writeFunctionReference(func.y);
writeBasicBlockReference(block.y);
writeMetadata(block.y.metadata);
foreach (insn; filter(block.y.stream, (Instruction insn) => !insn.metadata.empty))
{
count++;
_writer.write(MetadataType.instruction);
writeFunctionReference(func.y);
writeBasicBlockReference(block.y);
writeInstructionReference(insn);
writeMetadata(insn.metadata);
}
}
}
auto pos = _writer.stream.position;
_writer.stream.position = countOffset;
_writer.write(count);
_writer.stream.position = pos;
}
private void writeMetadata(Countable!MetadataPair metadata)
in
{
assert(metadata);
}
body
{
_writer.write(cast(uint)metadata.count);
foreach (pair; metadata)
{
writeString(pair.key);
writeString(pair.value);
}
}
private void writeStringTable()
{
_writer.write(cast(uint)_table.table.count);
foreach (kvp; _table.table)
{
_writer.write(kvp.x);
_writer.writeString(kvp.y);
}
}
private void writeType(StructureType type)
in
{
assert(type);
}
body
{
writeString(type.name);
_writer.write(type.alignment);
_writer.write(cast(uint)type.fields.count);
foreach (field; type.fields)
writeField(field.y);
}
private void writeField(Field field)
in
{
assert(field);
}
body
{
writeString(field.name);
_writer.write(field.storage);
writeTypeReference(field.type);
}
private void writeFunction(Function function_)
in
{
assert(function_);
}
body
{
writeString(function_.name);
_writer.write(function_.attributes);
_writer.write(!!function_.returnType);
if (function_.returnType)
writeTypeReference(function_.returnType);
_writer.write(function_.callingConvention);
_writer.write(cast(uint)function_.parameters.count);
foreach (param; function_.parameters)
writeTypeReference(param.type);
_writer.write(cast(uint)function_.registers.count);
foreach (register; function_.registers)
writeRegister(register.y);
_writer.write(cast(uint)function_.blocks.count);
foreach (block; function_.blocks)
writeBasicBlock(block.y);
foreach (block; function_.blocks)
writeBasicBlockUnwindSpecification(block.y);
}
private void writeRegister(Register register)
in
{
assert(register);
}
body
{
writeString(register.name);
writeTypeReference(register.type);
}
private void writeBasicBlock(BasicBlock block)
in
{
assert(block);
}
body
{
writeString(block.name);
}
private void writeBasicBlockUnwindSpecification(BasicBlock block)
in
{
assert(block);
}
body
{
writeBasicBlockReference(block);
_writer.write(cast(bool)block.unwindBlock);
if (block.unwindBlock)
writeBasicBlockReference(block.unwindBlock);
}
private void writeInstruction(Instruction instruction)
in
{
assert(instruction);
}
body
{
_writer.write(instruction.opCode.code);
foreach (reg; instruction.registers)
writeRegisterReference(reg);
auto operand = instruction.operand;
void writeArray(T)(ReadOnlyIndexable!T values)
{
_writer.write(cast(uint)values.count);
foreach (b; values)
_writer.write(b);
}
if (operand.hasValue)
{
if (auto val = operand.peek!byte())
_writer.write(*val);
else if (auto val = operand.peek!ubyte())
_writer.write(*val);
else if (auto val = operand.peek!short())
_writer.write(*val);
else if (auto val = operand.peek!ushort())
_writer.write(*val);
else if (auto val = operand.peek!int())
_writer.write(*val);
else if (auto val = operand.peek!uint())
_writer.write(*val);
else if (auto val = operand.peek!long())
_writer.write(*val);
else if (auto val = operand.peek!ulong())
_writer.write(*val);
else if (auto val = operand.peek!float())
_writer.write(*val);
else if (auto val = operand.peek!double())
_writer.write(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!byte)())
writeArray(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!ubyte)())
writeArray(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!short)())
writeArray(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!ushort)())
writeArray(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!int)())
writeArray(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!uint)())
writeArray(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!long)())
writeArray(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!ulong)())
writeArray(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!float)())
writeArray(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!double)())
writeArray(*val);
else if (auto val = operand.peek!BasicBlock())
writeBasicBlockReference(*val);
else if (auto val = operand.peek!(Tuple!(BasicBlock, BasicBlock))())
{
writeBasicBlockReference(val.x);
writeBasicBlockReference(val.y);
}
else if (auto val = operand.peek!Type())
writeTypeReference(*val);
else if (auto val = operand.peek!Field())
writeFieldReference(*val);
else if (auto val = operand.peek!Function())
writeFunctionReference(*val);
else if (auto val = operand.peek!(ReadOnlyIndexable!Register)())
{
_writer.write(cast(uint)val.count);
foreach (reg; *val)
writeRegisterReference(reg);
}
else
writeFFISignature(*operand.peek!FFISignature());
}
}
private void writeRegisterReference(Register register)
in
{
assert(register);
}
body
{
writeString(register.name);
}
private void writeBasicBlockReference(BasicBlock block)
in
{
assert(block);
}
body
{
writeString(block.name);
}
private void writeModuleReference(Module module_)
in
{
assert(module_);
}
body
{
writeString(module_.name);
}
private void writeStructureTypeReference(StructureType type)
in
{
assert(type);
}
body
{
_writer.write(TypeReferenceType.structure);
writeModuleReference(type.module_);
writeString(type.name);
}
private void writeFunctionPointerTypeReference(FunctionPointerType type)
in
{
assert(type);
}
body
{
_writer.write(TypeReferenceType.function_);
_writer.write(!!type.returnType);
if (type.returnType)
writeTypeReference(type.returnType);
_writer.write(type.callingConvention);
_writer.write(cast(uint)type.parameterTypes.count);
foreach (param; type.parameterTypes)
writeTypeReference(param);
}
private void writeTypeReference(Type type)
in
{
assert(type);
}
body
{
if (auto structType = cast(StructureType)type)
writeStructureTypeReference(structType);
else if (auto fpType = cast(FunctionPointerType)type)
writeFunctionPointerTypeReference(fpType);
else if (auto ptrType = cast(PointerType)type)
{
_writer.write(TypeReferenceType.pointer);
writeTypeReference(ptrType.elementType);
}
else if (auto refType = cast(ReferenceType)type)
{
_writer.write(TypeReferenceType.reference);
writeTypeReference(refType.elementType);
}
else if (auto arrType = cast(ArrayType)type)
{
_writer.write(TypeReferenceType.array);
writeTypeReference(arrType.elementType);
}
else if (auto vecType = cast(VectorType)type)
{
_writer.write(TypeReferenceType.vector);
writeTypeReference(vecType.elementType);
_writer.write(vecType.elements);
}
else
{
_writer.write(TypeReferenceType.core);
_writer.write(match(type,
(Int8Type t) => CoreTypeIdentifier.int8,
(UInt8Type t) => CoreTypeIdentifier.uint8,
(Int16Type t) => CoreTypeIdentifier.int16,
(UInt16Type t) => CoreTypeIdentifier.uint16,
(Int32Type t) => CoreTypeIdentifier.int32,
(UInt32Type t) => CoreTypeIdentifier.uint32,
(Int64Type t) => CoreTypeIdentifier.int64,
(UInt64Type t) => CoreTypeIdentifier.uint64,
(NativeIntType t) => CoreTypeIdentifier.int_,
(NativeUIntType t) => CoreTypeIdentifier.uint_,
(Float32Type t) => CoreTypeIdentifier.float32,
(Float64Type t) => CoreTypeIdentifier.float64));
}
}
private void writeFieldReference(Field field)
in
{
assert(field);
}
body
{
writeStructureTypeReference(field.declaringType);
writeString(field.name);
}
private void writeFunctionReference(Function function_)
in
{
assert(function_);
}
body
{
writeModuleReference(function_.module_);
writeString(function_.name);
}
private void writeParameterReference(Parameter parameter)
in
{
assert(parameter);
}
body
{
_writer.write(cast(uint)findIndex(parameter.function_.parameters, parameter));
}
private void writeInstructionReference(Instruction instruction)
in
{
assert(instruction);
}
body
{
_writer.write(cast(uint)findIndex(instruction.block.stream, instruction));
}
private void writeFFISignature(FFISignature signature)
in
{
assert(signature);
}
body
{
writeString(signature.library);
writeString(signature.entryPoint);
}
private void writeString(string value)
in
{
assert(value);
}
body
{
_writer.write(_table.getID(value));
}
}
| D |
/Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Charts.build/Debug/Charts.build/Objects-normal/x86_64/ChevronUpShapeRenderer.o : /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LineScatterCandleRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/TransformerHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/CombinedChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/LineChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/RadarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ICandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/AxisBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/MoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/AnimatedMoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/ChartHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/LineChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/MarkerImage.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ILineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IPieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/Transformer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/IHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/Description.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/RadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IBarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/YAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/PieRadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/DefaultAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/ViewPortHandler.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/RadarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Animation/ChartAnimationEasing.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntryBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/MarkerView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/ChevronDownShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/ScatterChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/Legend.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/CandleStickChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/XShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/ChevronUpShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/XAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/ChartDataRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/ScatterChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/PieChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/ChartLimitLine.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/CircleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Animation/Animator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Renderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/DefaultFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/HorizontalBarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/XAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/ChartBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/BubbleChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/YAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/IShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/TriangleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/CandleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/ChartUtils.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/YAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/XAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/BarLineChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/CandleStickChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/ChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/IMarker.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/YAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/BarChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/BarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IBarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/Highlight.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/CombinedChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/ChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/HorizontalBarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/BarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/ZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/RadarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/CombinedHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/PieRadarChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/PieHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LineRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/LegendEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/PieChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/ChartColorTemplates.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/SquareShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/PieChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ILineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/AnimatedViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CombinedChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IndexAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LineChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/Platform.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ILineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Filters/DataApproximator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/BarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/DefaultValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/ViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/Fill.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/BubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/BubbleChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/ScatterChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/XAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CandleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LegendRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/CrossShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/Range.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/AxisRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/HorizontalBarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/BarLineScatterCandleBubbleRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/ComponentBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/CombinedChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/AnimatedZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataEntry.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.apinotesc /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Supporting\ Files/Charts.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Charts.build/Debug/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuickLook.apinotesc
/Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Charts.build/Debug/Charts.build/Objects-normal/x86_64/ChevronUpShapeRenderer~partial.swiftmodule : /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LineScatterCandleRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/TransformerHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/CombinedChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/LineChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/RadarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ICandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/AxisBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/MoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/AnimatedMoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/ChartHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/LineChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/MarkerImage.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ILineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IPieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/Transformer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/IHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/Description.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/RadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IBarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/YAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/PieRadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/DefaultAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/ViewPortHandler.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/RadarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Animation/ChartAnimationEasing.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntryBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/MarkerView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/ChevronDownShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/ScatterChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/Legend.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/CandleStickChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/XShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/ChevronUpShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/XAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/ChartDataRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/ScatterChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/PieChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/ChartLimitLine.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/CircleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Animation/Animator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Renderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/DefaultFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/HorizontalBarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/XAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/ChartBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/BubbleChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/YAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/IShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/TriangleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/CandleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/ChartUtils.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/YAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/XAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/BarLineChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/CandleStickChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/ChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/IMarker.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/YAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/BarChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/BarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IBarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/Highlight.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/CombinedChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/ChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/HorizontalBarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/BarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/ZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/RadarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/CombinedHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/PieRadarChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/PieHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LineRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/LegendEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/PieChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/ChartColorTemplates.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/SquareShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/PieChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ILineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/AnimatedViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CombinedChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IndexAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LineChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/Platform.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ILineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Filters/DataApproximator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/BarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/DefaultValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/ViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/Fill.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/BubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/BubbleChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/ScatterChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/XAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CandleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LegendRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/CrossShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/Range.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/AxisRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/HorizontalBarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/BarLineScatterCandleBubbleRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/ComponentBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/CombinedChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/AnimatedZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataEntry.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.apinotesc /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Supporting\ Files/Charts.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Charts.build/Debug/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuickLook.apinotesc
/Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Charts.build/Debug/Charts.build/Objects-normal/x86_64/ChevronUpShapeRenderer~partial.swiftdoc : /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LineScatterCandleRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/TransformerHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/CombinedChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/LineChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/RadarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ICandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/AxisBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/MoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/AnimatedMoveViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/ChartHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/LineChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/MarkerImage.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ILineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IPieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/Transformer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/IHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/Description.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/RadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IBarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/YAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/PieRadarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/DefaultAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/ViewPortHandler.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/RadarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Animation/ChartAnimationEasing.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ScatterChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntryBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/MarkerView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/ChevronDownShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/ScatterChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/Legend.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/CandleStickChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/XShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/ChevronUpShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/XAxis.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/ChartDataRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/ScatterChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/PieChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/ChartLimitLine.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/CircleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Animation/Animator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Renderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/DefaultFillFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/HorizontalBarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/XAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/ChartBaseDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/BubbleChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/YAxisRendererHorizontalBarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/IShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/TriangleShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/CandleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/ChartUtils.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/YAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/XAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/BarLineChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/CandleStickChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/ChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/IMarker.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/YAxisRendererRadarChart.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/BarChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/BarChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IBarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarLineScatterCandleBubbleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/Highlight.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/IScatterChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/CombinedChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/ChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/HorizontalBarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/BarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/ZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/RadarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/CombinedHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/PieRadarChartViewBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/PieHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LineRadarRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/LegendEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/PieChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/ChartColorTemplates.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/SquareShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CandleChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/PieChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ILineScatterCandleRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/AnimatedViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/PieChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CombinedChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/IndexAxisValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LineChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/Platform.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Interfaces/ILineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Filters/DataApproximator.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Charts/BarChartView.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Formatters/DefaultValueFormatter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/ViewPortJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Utils/Fill.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BarChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/BubbleChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/BubbleChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/ScatterChartRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/RadarChartDataEntry.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/XAxisRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/CandleChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/LegendRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/Scatter/CrossShapeRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/Range.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/AxisRendererBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Highlight/HorizontalBarHighlighter.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/LineRadarChartDataSet.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Renderers/BarLineScatterCandleBubbleRenderer.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Components/ComponentBase.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Interfaces/CombinedChartDataProvider.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/ChartData.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Jobs/AnimatedZoomViewJob.swift /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Charts/Data/Implementations/Standard/BubbleChartDataEntry.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.apinotesc /Users/endotsuyoshi/Documents/ios/shoanaorigin2/Charts/Source/Supporting\ Files/Charts.h /Users/endotsuyoshi/Documents/ios/shoanaorigin2/shoana/Build/Intermediates/Charts.build/Debug/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuickLook.apinotesc
| D |
module android.java.android.media.browse.MediaBrowser_MediaItem_d_interface;
import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers;
static import arsd.jni;
import import0 = android.java.android.media.MediaDescription_d_interface;
import import2 = android.java.java.lang.Class_d_interface;
import import1 = android.java.android.os.Parcel_d_interface;
@JavaName("MediaBrowser$MediaItem")
final class MediaBrowser_MediaItem : IJavaObject {
static immutable string[] _d_canCastTo = [
"android/os/Parcelable",
];
@Import this(import0.MediaDescription, int);
@Import int describeContents();
@Import void writeToParcel(import1.Parcel, int);
@Import @JavaName("toString") string toString_();
override string toString() { return arsd.jni.javaObjectToString(this); }
@Import int getFlags();
@Import bool isBrowsable();
@Import bool isPlayable();
@Import import0.MediaDescription getDescription();
@Import string getMediaId();
@Import import2.Class getClass();
@Import int hashCode();
@Import bool equals(IJavaObject);
@Import void notify();
@Import void notifyAll();
@Import void wait(long);
@Import void wait(long, int);
@Import void wait();
mixin IJavaObjectImplementation!(false);
public static immutable string _javaParameterString = "Landroid/media/browse/MediaBrowser$MediaItem;";
}
| D |
module game.core.calc;
import std.algorithm; // all
import optional;
import file.option;
import basics.cmdargs;
import game.core.assignee;
import game.core.game;
import game.core.active;
import game.core.passive;
import game.core.speed;
import game.exitwin;
import game.panel.tooltip;
import gui;
import hardware.keyset;
import physics.score;
package void
implGameCalc(Game game) { with (game)
{
if (modalWindow) {
game.calcModalWindow;
game.noninputCalc();
}
else if (keyGameExit.keyTapped) {
if (multiplayer) {
modalWindow = new ReallyExitWindow();
addFocus(game.modalWindow);
}
else {
_gotoMainMenu = true;
}
}
else {
auto potAss = game.findAndDescribePotentialAssignee();
game.calcPassive(potAss.oc.passport.toOptional);
if (game.view.canAssignSkills) {
game.calcNukeButton();
game.calcClicksIntoMap(potAss);
}
game.dispatchTweaks(); // Not yet impl'ed: feed into net
game.noninputCalc();
game.considerToEndGame();
}
}}
private:
void noninputCalc(Game game)
{
if (game._netClient)
game._netClient.calc();
game.updatePhysicsAccordingToSpeedButtons();
}
void calcModalWindow(Game game) { with (game)
{
assert (modalWindow);
if (modalWindow.exitGame) {
_gotoMainMenu = true;
}
if (modalWindow.exitGame || modalWindow.resume) {
rmFocus(modalWindow);
modalWindow = null;
game.setLastPhyuToNow();
}
}}
void considerToEndGame(Game game)
{
if (game.nurse.doneAnimating()) {
game.calcEndOfPhysicsWhileEffectsAreStillGoingOn();
if (game._effect.nothingGoingOn) {
game.calcEndOfPhysicsAndEndOfEffects();
}
}
}
void calcEndOfPhysicsWhileEffectsAreStillGoingOn(Game game) { with (game)
{
immutable singleplayerHasLost = ! multiplayer && ! singleplayerHasWon;
if (singleplayerHasLost) {
// We check the nuke button here in addition to checking it during
// physics in game.core.active. In game.core.active, it generates
// the nuke input for the replay, but we won't process any further
// replay updates after all lixes have died. Thus, after all lixes
// have died, cancel the game immediately here without affecting
// physics.
if (pan.nukeDoubleclicked || ! view.canInterruptReplays) {
/*
* view.canInterruptReplays can only be false here while we don't
* have proper multiplayer puzzle solving. Meanwhile, we're reusing
* View.battle for that half-baked feature.
*/
_gotoMainMenu = true;
}
else
_mapClickExplainer.suggestTooltip(Tooltip.ID.framestepOrQuit);
}
}}
void calcEndOfPhysicsAndEndOfEffects(Game game) { with (game)
{
if (multiplayer || singleplayerHasWon || singleplayerHasNuked)
_gotoMainMenu = true;
if (view.printResultToConsole)
_chatArea.printScores(nurse.scores, nurse.constReplay, localStyle);
}}
| D |
/Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Build/Intermediates/Pods.build/Debug-iphonesimulator/Outlaw.build/Objects-normal/x86_64/IndexExtractable.o : /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/JSON.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Updatable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexUpdatable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+Extractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array+IndexExtractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Serializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/JSONSerializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexSerializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Deserializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexDeserializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/URL+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Date+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/String+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Bool+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Float+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Set+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Int+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/UInt+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable+Enum.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable+Enum.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/JSONCollection.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+map.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/OutlawError.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Set.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/UpdatableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexUpdatableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/SerializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexSerializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/DeserializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexDeserializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Set+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Index.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Key.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary.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 /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Target\ Support\ Files/Outlaw/Outlaw-umbrella.h /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Build/Intermediates/Pods.build/Debug-iphonesimulator/Outlaw.build/unextended-module.modulemap
/Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Build/Intermediates/Pods.build/Debug-iphonesimulator/Outlaw.build/Objects-normal/x86_64/IndexExtractable~partial.swiftmodule : /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/JSON.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Updatable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexUpdatable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+Extractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array+IndexExtractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Serializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/JSONSerializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexSerializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Deserializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexDeserializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/URL+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Date+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/String+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Bool+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Float+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Set+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Int+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/UInt+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable+Enum.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable+Enum.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/JSONCollection.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+map.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/OutlawError.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Set.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/UpdatableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexUpdatableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/SerializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexSerializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/DeserializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexDeserializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Set+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Index.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Key.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary.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 /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Target\ Support\ Files/Outlaw/Outlaw-umbrella.h /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Build/Intermediates/Pods.build/Debug-iphonesimulator/Outlaw.build/unextended-module.modulemap
/Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Build/Intermediates/Pods.build/Debug-iphonesimulator/Outlaw.build/Objects-normal/x86_64/IndexExtractable~partial.swiftdoc : /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/JSON.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Updatable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexUpdatable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+Extractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array+IndexExtractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Serializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/JSONSerializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexSerializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Deserializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexDeserializable.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/URL+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Date+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/String+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Bool+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Float+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Set+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Int+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/UInt+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Value.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable+Enum.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable+Enum.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/JSONCollection.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+map.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/OutlawError.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Set.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/UpdatableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexUpdatableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/SerializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexSerializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/DeserializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexDeserializableWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Extractable+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/IndexExtractable+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Set+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary+ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/ValueWithContext.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Index.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Array.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Key.swift /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Outlaw/Sources/Outlaw/Dictionary.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 /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Pods/Target\ Support\ Files/Outlaw/Outlaw-umbrella.h /Volumes/Element-Mac/_development/_ios/_training/Bandsintown/Build/Intermediates/Pods.build/Debug-iphonesimulator/Outlaw.build/unextended-module.modulemap
| D |
module android.java.java.util.regex.PatternSyntaxException_d_interface;
import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers;
static import arsd.jni;
import import1 = android.java.java.io.PrintStream_d_interface;
import import4 = android.java.java.lang.Class_d_interface;
import import3 = android.java.java.lang.StackTraceElement_d_interface;
import import2 = android.java.java.io.PrintWriter_d_interface;
import import0 = android.java.java.lang.JavaThrowable_d_interface;
final class PatternSyntaxException : IJavaObject {
static immutable string[] _d_canCastTo = [
];
@Import this(string, string, int);
@Import int getIndex();
@Import string getDescription();
@Import string getPattern();
@Import string getMessage();
@Import string getLocalizedMessage();
@Import import0.JavaThrowable getCause();
@Import import0.JavaThrowable initCause(import0.JavaThrowable);
@Import @JavaName("toString") string toString_();
override string toString() { return arsd.jni.javaObjectToString(this); }
@Import void printStackTrace();
@Import void printStackTrace(import1.PrintStream);
@Import void printStackTrace(import2.PrintWriter);
@Import import0.JavaThrowable fillInStackTrace();
@Import import3.StackTraceElement[] getStackTrace();
@Import void setStackTrace(import3.StackTraceElement[]);
@Import void addSuppressed(import0.JavaThrowable);
@Import import0.JavaThrowable[] getSuppressed();
@Import import4.Class getClass();
@Import int hashCode();
@Import bool equals(IJavaObject);
@Import void notify();
@Import void notifyAll();
@Import void wait(long);
@Import void wait(long, int);
@Import void wait();
mixin IJavaObjectImplementation!(false);
public static immutable string _javaParameterString = "Ljava/util/regex/PatternSyntaxException;";
}
| D |
syncopated music in duple time for dancing the rumba
a folk dance in duple time that originated in Cuba with Spanish and African elements
a ballroom dance based on the Cuban folk dance
dance the rhumba
| D |
/Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/TaskDelegate.o : /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/AFError.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/MultipartFormData.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Notifications.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Request.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Response.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Result.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/TaskDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Timeline.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/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/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/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/TaskDelegate~partial.swiftmodule : /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/AFError.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/MultipartFormData.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Notifications.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Request.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Response.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Result.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/TaskDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Timeline.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/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/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/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/TaskDelegate~partial.swiftdoc : /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/AFError.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/MultipartFormData.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Notifications.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Request.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Response.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Result.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/TaskDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Timeline.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/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/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
| D |
//https://issues.dlang.org/show_bug.cgi?id=22291
alias AliasSeq(T...) = T;
void noParameters()
{
static assert(typeof(__traits(parameters)).length == 0);
}
void noArgs()
{
//Arguments are not valid, this should not compile
static assert(!__traits(compiles, __traits(parameters, 456)));
}
shared static this()
{
static assert(typeof(__traits(parameters)).length == 0);
}
int echoPlusOne(int x)
{
__traits(parameters)[0] += 1;
return x;
}
static assert(echoPlusOne(1) == 2);
void nesting(double d, int i)
{
alias EXP = AliasSeq!(d, i);
if (d)
{
static assert(__traits(isSame, __traits(parameters), EXP));
while (d)
{
static assert(__traits(isSame, __traits(parameters), EXP));
switch (i)
{
static assert(__traits(isSame, __traits(parameters), EXP));
case 1:
static assert(__traits(isSame, __traits(parameters), EXP));
break;
default:
static assert(__traits(isSame, __traits(parameters), EXP));
break;
}
}
}
}
class Tree {
int opApply(int delegate(size_t, Tree) dg) {
if (dg(0, this)) return 1;
return 0;
}
}
void useOpApply(Tree top, int x)
{
foreach(idx; 0..5)
{
static assert(is(typeof(__traits(parameters)) == AliasSeq!(Tree, int)));
}
foreach(idx, elem; top)
{
static assert(is(typeof(__traits(parameters)) == AliasSeq!(Tree, int)));
}
foreach(idx, elem; top)
{
foreach (idx2, elem2; elem)
static assert(is(typeof(__traits(parameters)) == AliasSeq!(Tree, int)));
}
foreach(idx, elem; top)
{
static void foo(char[] text)
{
foreach (const char c; text)
static assert(is(typeof(__traits(parameters)) == AliasSeq!(char[])));
}
}
}
class Test
{
static assert(!__traits(compiles, __traits(parameters)));
void handle(int x)
{
static assert(typeof(__traits(parameters)).length == 1);
}
}
int add(int x, int y)
{
return x + y;
}
auto forwardToAdd(int x, int y)
{
return add(__traits(parameters));
}
static assert(forwardToAdd(2, 3) == 5);
struct TestConstructor
{
int x;
string y;
//This parameter will not have a name but it's (tuple) members
//will
this(typeof(this.tupleof))
{
this.tupleof = __traits(parameters);
}
}
bool test(int x, string y)
{
auto s = TestConstructor(2, "pi");
return s.x == x && s.y == y;
}
static assert(test(2, "pi"));
int testNested(int x)
{
static assert(typeof(__traits(parameters)).length == 1);
int add(int x, int y)
{
static assert(typeof(__traits(parameters)).length == 2);
return x + y;
}
return add(x + 2, x + 3);
}
void testPack(Pack...)(Pack x)
{
static assert(is(typeof(__traits(parameters)) == typeof(AliasSeq!(x))));
}
ref int forwardTest(return ref int x)
{
static assert(__traits(isRef, x) == __traits(isRef, __traits(parameters)[0]));
return x;
}
int testRefness(int x, ref int monkey)
{
{
//monkey = x;
__traits(parameters)[1] = __traits(parameters)[0];
}
return x;
}
int refTest()
{
int x;
testRefness(45, x);
return x;
}
auto packLength(Pack...)(Pack x)
{
return typeof(__traits(parameters)).length;
}
static assert(packLength(2, 3) == 2);
alias lambda = (x) => typeof(__traits(parameters)).stringof;
static assert(lambda(1) == "(int)");
static assert(refTest() == 45);
T testTemplate(T)(scope T input)
{
void chimpInASuit(float set)
{
static assert(is(typeof(__traits(parameters)) == AliasSeq!(float)));
}
{
__traits(parameters) = AliasSeq!(T.max);
}
__traits(parameters) = AliasSeq!(T.init);
return input;
}
static assert(testTemplate!long(420) == 0);
void qualifiers(immutable int a, const bool b)
{
static assert(is(typeof(__traits(parameters)) == AliasSeq!(immutable int, const bool)));
}
int makeAggregate(int a, bool b)
{
struct S
{
typeof(__traits(parameters)) members;
}
S s = S(__traits(parameters));
assert(s.members[0] == a);
assert(s.members[1] == b);
return 1;
}
static assert(makeAggregate(5, true));
int makeAlias(int a, bool b)
{
alias Params = __traits(parameters);
assert(Params[0] == 3);
assert(Params[1] == true);
return 1;
}
static assert(makeAlias(3, true));
mixin template nestedCheckParameters(int unique)
{
alias NestedNames = __traits(parameters);
version (Fixed)
alias Types = typeof(Names);
}
mixin template checkParameters(int unique)
{
mixin nestedCheckParameters!unique;
alias Names = __traits(parameters);
alias Types = typeof(Names);
}
int makeAggregateMixin(immutable int a, const bool b)
{
mixin checkParameters!0;
struct S
{
mixin checkParameters!1;
typeof(Names) members;
}
S s = S(Names);
assert(s.members[0] == a);
assert(s.members[1] == b);
return 1;
}
| D |
///* Licensed under the Apache License, Version 2.0 (the "License");
// * you may not use this file except in compliance with the License.
// * You may obtain a copy of the License at
// *
// * http://www.apache.org/licenses/LICENSE-2.0
// *
// * Unless required by applicable law or agreed to in writing, software
// * distributed under the License is distributed on an "AS IS" BASIS,
// * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// * See the License for the specific language governing permissions and
// * limitations under the License.
// */
//
//
//import org.apache.commons.lang3.StringUtils;
//import flow.bpmn.converter.constants.BpmnXMLConstants;
//import flow.bpmn.converter.converter.util.BpmnXMLUtil;
//import flow.bpmn.model.MapExceptionEntry;
//
//import javax.xml.stream.XMLStreamWriter;
//import hunt.collection.List;
//
//class MapExceptionExport implements BpmnXMLConstants {
//
// public static bool writeMapExceptionExtensions(List<MapExceptionEntry> mapExceptionList, bool didWriteExtensionStartElement, XMLStreamWriter xtw) {
//
// for (MapExceptionEntry mapException : mapExceptionList) {
//
// if (!didWriteExtensionStartElement) {
// xtw.writeStartElement(ELEMENT_EXTENSIONS);
// didWriteExtensionStartElement = true;
// }
//
// if (StringUtils.isNotEmpty(mapException.getErrorCode())) {
// xtw.writeStartElement(FLOWABLE_EXTENSIONS_PREFIX, MAP_EXCEPTION, FLOWABLE_EXTENSIONS_NAMESPACE);
//
// BpmnXMLUtil.writeDefaultAttribute(MAP_EXCEPTION_ERRORCODE, mapException.getErrorCode(), xtw);
// BpmnXMLUtil.writeDefaultAttribute(MAP_EXCEPTION_ANDCHILDREN, Boolean.toString(mapException.isAndChildren()), xtw);
//
// if (StringUtils.isNotEmpty(mapException.getClassName())) {
// xtw.writeCData(mapException.getClassName());
// }
// xtw.writeEndElement(); //end flowable:mapException
// }
// }
// return didWriteExtensionStartElement;
// }
//
//}
| D |
module hunt.wechat.bean.message.templatemessage.TemplateMessageResult;
import hunt.wechat.bean.BaseResult;
class TemplateMessageResult : BaseResult{
private Long msgid;
public Long getMsgid() {
return msgid;
}
public void setMsgid(Long msgid) {
this.msgid = msgid;
}
}
| D |
/Users/yq/Project/Swift/SwiftGroup/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Observable.o : /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Deprecated.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Cancelable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObserverType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Reactive.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/RecursiveLock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Errors.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/AtomicInt.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Event.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/First.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/Platform.Linux.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/yq/Project/Swift/SwiftGroup/Pods/Headers/Public/RxSwift/RxSwift-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Users/yq/Project/Swift/SwiftGroup/Pods/Headers/Public/RxSwift/RxSwift.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.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/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/yq/Project/Swift/SwiftGroup/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Observable~partial.swiftmodule : /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Deprecated.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Cancelable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObserverType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Reactive.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/RecursiveLock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Errors.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/AtomicInt.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Event.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/First.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/Platform.Linux.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/yq/Project/Swift/SwiftGroup/Pods/Headers/Public/RxSwift/RxSwift-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Users/yq/Project/Swift/SwiftGroup/Pods/Headers/Public/RxSwift/RxSwift.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.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/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/yq/Project/Swift/SwiftGroup/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Observable~partial.swiftdoc : /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Deprecated.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Cancelable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObserverType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Reactive.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/RecursiveLock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Errors.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/AtomicInt.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Event.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/First.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/Platform.Linux.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/yq/Project/Swift/SwiftGroup/Pods/Headers/Public/RxSwift/RxSwift-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Users/yq/Project/Swift/SwiftGroup/Pods/Headers/Public/RxSwift/RxSwift.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.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/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/yq/Project/Swift/SwiftGroup/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Observable~partial.swiftsourceinfo : /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Deprecated.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Cancelable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObserverType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Reactive.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/RecursiveLock.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Errors.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/AtomicInt.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Event.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/First.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Rx.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/Platform/Platform.Linux.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/yq/Project/Swift/SwiftGroup/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/ijiami.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/yq/Project/Swift/SwiftGroup/Pods/Headers/Public/RxSwift/RxSwift-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Users/yq/Project/Swift/SwiftGroup/Pods/Headers/Public/RxSwift/RxSwift.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.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/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
/Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftSoup.build/Objects-normal/x86_64/NodeVisitor.o : /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Node.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DataNode.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TextNode.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DocumentType.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Validate.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HtmlTreeBuilderState.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TokeniserState.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Attribute.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/BooleanAttribute.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TokenQueue.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Tag.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/String.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/BinarySearch.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DataUtil.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StringUtil.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Token.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/XmlDeclaration.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Connection.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Exception.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SerializationException.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HttpStatusException.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Pattern.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SwiftSoup.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/UnicodeScalar.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StreamReader.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CharacterReader.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/XmlTreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HtmlTreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StringBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Cleaner.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Tokeniser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Parser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/QueryParser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseError.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/NodeTraversor.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Evaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CombiningEvaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StructuralEvaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CssSelector.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Collector.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/NodeVisitor.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Entities.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Attributes.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseSettings.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Elements.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/OrderedSet.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Element.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/FormElement.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Comment.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Document.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseErrorList.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Whitelist.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CharacterExt.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ArrayExt.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SimpleDictionary.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/Target\ Support\ Files/SwiftSoup/SwiftSoup-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftSoup.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftSoup.build/Objects-normal/x86_64/NodeVisitor~partial.swiftmodule : /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Node.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DataNode.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TextNode.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DocumentType.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Validate.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HtmlTreeBuilderState.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TokeniserState.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Attribute.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/BooleanAttribute.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TokenQueue.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Tag.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/String.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/BinarySearch.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DataUtil.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StringUtil.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Token.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/XmlDeclaration.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Connection.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Exception.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SerializationException.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HttpStatusException.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Pattern.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SwiftSoup.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/UnicodeScalar.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StreamReader.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CharacterReader.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/XmlTreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HtmlTreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StringBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Cleaner.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Tokeniser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Parser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/QueryParser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseError.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/NodeTraversor.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Evaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CombiningEvaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StructuralEvaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CssSelector.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Collector.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/NodeVisitor.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Entities.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Attributes.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseSettings.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Elements.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/OrderedSet.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Element.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/FormElement.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Comment.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Document.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseErrorList.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Whitelist.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CharacterExt.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ArrayExt.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SimpleDictionary.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/Target\ Support\ Files/SwiftSoup/SwiftSoup-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftSoup.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftSoup.build/Objects-normal/x86_64/NodeVisitor~partial.swiftdoc : /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Node.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DataNode.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TextNode.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DocumentType.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Validate.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HtmlTreeBuilderState.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TokeniserState.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Attribute.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/BooleanAttribute.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TokenQueue.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Tag.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/String.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/BinarySearch.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DataUtil.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StringUtil.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Token.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/XmlDeclaration.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Connection.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Exception.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SerializationException.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HttpStatusException.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Pattern.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SwiftSoup.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/UnicodeScalar.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StreamReader.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CharacterReader.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/XmlTreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HtmlTreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StringBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Cleaner.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Tokeniser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Parser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/QueryParser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseError.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/NodeTraversor.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Evaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CombiningEvaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StructuralEvaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CssSelector.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Collector.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/NodeVisitor.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Entities.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Attributes.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseSettings.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Elements.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/OrderedSet.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Element.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/FormElement.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Comment.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Document.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseErrorList.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Whitelist.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CharacterExt.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ArrayExt.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SimpleDictionary.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/Target\ Support\ Files/SwiftSoup/SwiftSoup-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftSoup.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftSoup.build/Objects-normal/x86_64/NodeVisitor~partial.swiftsourceinfo : /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Node.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DataNode.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TextNode.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DocumentType.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Validate.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HtmlTreeBuilderState.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TokeniserState.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Attribute.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/BooleanAttribute.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TokenQueue.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Tag.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/String.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/BinarySearch.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/DataUtil.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StringUtil.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Token.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/XmlDeclaration.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Connection.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Exception.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SerializationException.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HttpStatusException.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Pattern.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SwiftSoup.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/UnicodeScalar.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StreamReader.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CharacterReader.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/TreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/XmlTreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/HtmlTreeBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StringBuilder.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Cleaner.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Tokeniser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Parser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/QueryParser.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseError.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/NodeTraversor.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Evaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CombiningEvaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/StructuralEvaluator.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CssSelector.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Collector.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/NodeVisitor.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Entities.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Attributes.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseSettings.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Elements.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/OrderedSet.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Element.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/FormElement.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Comment.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Document.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ParseErrorList.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/Whitelist.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/CharacterExt.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/ArrayExt.swift /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/SwiftSoup/Sources/SimpleDictionary.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Pods/Target\ Support\ Files/SwiftSoup/SwiftSoup-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/yongsangho/Desktop/Dev/carTalkProj/Project_CarTalk/carTalk/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftSoup.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
/Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/ServerTrustPolicy.o : /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/AFError.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/MultipartFormData.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Notifications.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Request.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Response.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Result.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/TaskDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Timeline.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/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/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/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/ServerTrustPolicy~partial.swiftmodule : /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/AFError.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/MultipartFormData.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Notifications.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Request.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Response.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Result.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/TaskDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Timeline.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/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/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/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/ServerTrustPolicy~partial.swiftdoc : /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/AFError.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/MultipartFormData.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Notifications.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Request.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Response.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Result.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/ServerTrustPolicy.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/SessionManager.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/TaskDelegate.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Timeline.swift /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Alamofire/Source/Validation.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/Vishnu/QBurst/Internal/Pod/QAHelper/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Vishnu/QBurst/Internal/Pod/QAHelper/DerivedData/QAHelper/Build/Intermediates/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/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
| D |
import std.array;
import std.conv;
import std.exception;
import std.stdio;
import std.typecons;
import derelict.opengl3.gl;
//import glew;
//import glsafe;
import glut;
/**
* Whether a given ASCII-mappable key is being pressed.
* The key of the associative array is the key on the keyboard.
* See the pun?
*/
bool[ubyte] keysDown;
/**
* Non-ASCII-mappable keys
*/
bool[int] specialKeysDown;
const string VSHADER_SRC = r"
#version 130
in vec2 vPosition;
in vec3 vColor;
out vec3 ffColor;
void main() {
gl_Position = vec4(vPosition, 0, 1);
ffColor = vColor;
}
";
const string FSHADER_SRC = r"
#version 130
in vec3 ffColor;
out vec4 fColor;
void main() {
fColor = vec4(ffColor, 1);
}
";
GLfloat[] TRI_POSITION_DATA = [
0.0,0.0, 1.0,0.0, 0.5,1.0,
0.0,0.0, -1.0,-0.0, -0.5,-1.0
];
GLfloat[] TRI_COLOR_DATA = [
1.0,0.0,0.0, 0.0,1.0,0.0, 0.0,0.0,1.0,
0.5,0.5,0.0, 0.0,0.5,0.5, 0.5,0.0,0.5
];
Exception checkGLErrors() {
string[] errors;
GLenum errorId;
while((errorId = glGetError()) != GL_NO_ERROR) {
switch (errorId) {
case GL_INVALID_ENUM:
errors ~= "GL_INVALID_ENUM";
break;
case GL_INVALID_VALUE:
errors ~= "GL_INVALID_VALUE";
break;
case GL_INVALID_OPERATION:
errors ~= "GL_INVALID_OPERATION";
break;
case GL_INVALID_FRAMEBUFFER_OPERATION:
errors ~= "GL_INVALID_FRAMEBUFFER_OPERATION";
break;
case GL_OUT_OF_MEMORY:
errors ~= "GL_OUT_OF_MEMORY";
default:
errors ~= "Unknown GL error " ~ to!string(errorId);
break;
}
}
if (errors.length == 0) {
return null;
} else {
return new Exception("OpenGL call failed with errors: " ~ join(errors, " "));
}
}
extern (C)
void onDisplay() {
glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
glDrawArrays(GL_TRIANGLES, 0, 6);
glutSwapBuffers();
checkGLErrors();
}
extern (C)
void onKeyDown (ubyte key, int x, int y) {
keysDown[key] = true;
if (key == 'q') {
glutLeaveMainLoop();
}
}
extern (C)
void onSpecialKeyDown (int key, int x, int y) {
specialKeysDown[key] = true;
if (key == GLUT_KEY_F4) {
glutLeaveMainLoop();
}
}
extern (C)
void onKeyUp (ubyte key, int x, int y) {
keysDown.remove(key);
}
extern (C)
void onSpecialKeyUp (int key, int x, int y) {
specialKeysDown.remove(key);
}
extern (C)
void onReshape (int width, int height) {
glViewport(0, 0, width, height);
}
extern (C)
void onIdle () {
checkGLErrors();
//writeln("No errors.");
}
GLint initShader (string[GLint] sources) {
GLint status;
GLuint programId = glCreateProgram();
foreach (type, source; sources) {
GLuint shaderId = glCreateShader(type);
const char[] sourceCopy = source.dup ~ "\0";
const(char)* sourceCopyPtr = &sourceCopy[0];
glShaderSource(shaderId, 1, &sourceCopyPtr, null);
glCompileShader(shaderId);
glGetShaderiv(shaderId, GL_COMPILE_STATUS, &status);
if (status != GL_TRUE) {
GLint buflen;
glGetShaderiv(shaderId, GL_INFO_LOG_LENGTH, &buflen);
char[] msgBuffer = new char[buflen];
glGetShaderInfoLog(shaderId, buflen, null, &msgBuffer[0]);
throw new Exception("Error while compiling shader: " ~ msgBuffer.idup);
}
glAttachShader(programId, shaderId);
}
glLinkProgram(programId);
glGetProgramiv(programId, GL_LINK_STATUS, &status);
if (status != GL_TRUE) {
GLint buflen;
glGetProgramiv(programId, GL_INFO_LOG_LENGTH, &buflen);
char[] msgBuffer = new char[buflen];
glGetProgramInfoLog(programId, buflen, null, &msgBuffer[0]);
throw new Exception("Error while linking shader: " ~ msgBuffer.idup);
}
glUseProgram(programId);
return programId;
}
GLint initTris (GLint programId, Tuple!(GLfloat[], int)[string] attributes) {
GLuint vao;
glGenVertexArrays(1, &vao);
glBindVertexArray(vao);
foreach (attribute, dataDesc; attributes) {
char[] attribute_z = attribute ~ "\0".dup;
GLuint attributeId = to!uint(glGetAttribLocation(programId, &attribute_z[0]));
GLuint vbo;
glGenBuffers(1, &vbo);
glBindBuffer(GL_ARRAY_BUFFER, vbo);
glBufferData(GL_ARRAY_BUFFER,
to!int(dataDesc[0].length) * GLfloat.sizeof,
to!(void*)(&dataDesc[0][0]),
GL_STATIC_DRAW);
void* datastart = to!(void*)(&dataDesc[0][0]);
glVertexAttribPointer(attributeId, dataDesc[1], GL_FLOAT, to!ubyte(GL_FALSE), 0, null);
glEnableVertexAttribArray(attributeId);
};
return vao;
}
void init () {
glClearColor(0.0, 0.0, 0.0, 0.0);
onReshape(800, 600);
GLint programId = initShader([
GL_VERTEX_SHADER: VSHADER_SRC,
GL_FRAGMENT_SHADER: FSHADER_SRC
]);
GLint vao = initTris(programId, [
"vPosition": tuple(TRI_POSITION_DATA, 2),
"vColor": tuple(TRI_COLOR_DATA, 3),
]);
}
int main (string[] args) {
writeln("hello");
DerelictGL3.load();
//glutInit(args.length, args);
int argc = 0;
glutInit(&argc, null);
glutInitWindowPosition(0,0);
glutInitWindowSize(800,600);
glutInitDisplayMode(GLUT_DOUBLE | GLUT_RGBA | GLUT_DEPTH);
glutCreateWindow("GL Test");
//glewExperimental = GL_TRUE;
//glewInit();
DerelictGL3.reload();
init();
glutIdleFunc (&onIdle);
glutDisplayFunc (&onDisplay);
glutReshapeFunc (&onReshape);
glutKeyboardFunc (&onKeyDown);
glutSpecialFunc (&onSpecialKeyDown);
glutKeyboardUpFunc (&onKeyUp);
glutSpecialUpFunc (&onSpecialKeyUp);
glutMainLoop();
writeln("goodbye");
return 0;
}
| D |
module xf.utils.BitSet;
private {
import Memory = xf.utils.Memory;
import std.intrinsic;
}
struct BitSet(int minBits) {
const bool dynamic = false;
void opIndexAssign(bool b, int idx) { // TODO: maybe there are some intrinsics for this...
if (b) {
bts(bits.ptr, idx);
} else {
btr(bits.ptr, idx);
}
}
bool opIndex(int idx) {
//return (bits[idx / Tbits] & (1 << (idx % Tbits))) != 0;
return bt(bits.ptr, idx) != 0;
}
// opApply is evil, because it forces an inout index :F
void iter(void delegate(uint i) dg) {
uint off = 0;
foreach (chunk; bits) {
while (chunk != 0) {
int idx = bsf(chunk);
dg(off + idx);
btr(&chunk, idx);
}
off += Tbits;
}
}
size_t length() {
return minBits;
}
private {
alias uint T;
const uint Tbits = T.sizeof * 8;
T[(minBits + Tbits - 1) / Tbits]
bits;
}
}
struct DynamicBitSet {
const bool dynamic = true;
enum { WordBits = size_t.sizeof * 8 }
void dispose() {
if (freeMem) {
Memory.free(bits);
freeMem = false;
}
bits = null;
}
void alloc(size_t count) {
size_t size = (count+WordBits-1) / WordBits;
if (bits.length != size) {
if (bits !is null && freeMem) {
Memory.realloc(bits, size);
} else {
dispose();
Memory.alloc(bits, size);
}
freeMem = true;
}
}
void alloc(size_t count, void* delegate(size_t) allocator) {
size_t size = (count+WordBits-1) / WordBits;
if (bits.length != size) {
dispose();
bits = (cast(size_t*)allocator(size*size_t.sizeof))[0..size];
}
}
size_t length() {
return bits.length * WordBits;
}
void set(int i) {
bits[i / WordBits] |= (1 << (i % WordBits));
}
bool isSet(int i) {
return (bits[i / WordBits] & (1 << (i % WordBits))) != 0;
}
void clear(int i) {
bits[i / WordBits] &= ~(1 << (i % WordBits));
}
void clearAll() {
bits[] = 0;
}
private {
size_t[] bits;
bool freeMem = false;
}
}
unittest {
BitSet!(128) bs;
static const int[] indices = [1, 3, 31, 55, 127];
foreach (i; indices) bs[i] = true;
foreach (i; indices) assert (bs[i] == true);
foreach (i; indices) bs[i] = false;
foreach (i; indices) assert (bs[i] == false);
foreach (i; indices) bs[i] = true;
{
int i = 0;
bs.iter((uint bi) {
assert (indices[i++] == bi);
});
}
foreach (i; indices) bs[i] = false;
bs.iter((uint bi) {
assert (false);
});
}
| D |
import std.stdio;
import test_repos.example;
void main()
{
writeln(exampleString());
}
| D |
module java.util.Vector;
import java.lang.all;
import java.util.AbstractList;
import java.util.List;
import java.util.Collection;
import java.util.Enumeration;
import java.util.Iterator;
import java.util.ListIterator;
class Vector : AbstractList, List {
Object[] vect;
int used;
int capacityIncrement = 32;
public this(){
}
public this(Collection c){
implMissing( __FILE__, __LINE__ );
}
public this(int initialCapacity){
vect.length = initialCapacity;
}
public this(int initialCapacity, int capacityIncrement){
implMissing( __FILE__, __LINE__ );
}
override
public void add(int index, Object element){
implMissing( __FILE__, __LINE__ );
}
override
public bool add(Object o){
if( used + 1 >= vect.length ){
vect.length = vect.length + capacityIncrement;
}
vect[used] = o;
used++;
return true;
}
override
public bool add(String o){
return add(stringcast(o));
}
override
public bool addAll(Collection c){
implMissing( __FILE__, __LINE__ );
return false;
}
override
public bool addAll(int index, Collection c){
implMissing( __FILE__, __LINE__ );
return false;
}
public void addElement(Object obj){
add(obj);
}
public int capacity(){
return cast(int)/*64bit*/vect.length;
}
override
public void clear(){
used = 0;
}
public Object clone(){
implMissing( __FILE__, __LINE__ );
return null;
}
override
public bool contains(Object elem){
implMissing( __FILE__, __LINE__ );
return false;
}
override
public bool contains(String str){
return contains(stringcast(str));
}
override
public bool containsAll(Collection c){
implMissing( __FILE__, __LINE__ );
return false;
}
public void copyInto(void*[] anArray){
implMissing( __FILE__, __LINE__ );
}
//public void copyInto(Object[] anArray){
// implMissing( __FILE__, __LINE__ );
//}
public Object elementAt(int index){
return get(index);
}
public Enumeration elements(){
implMissing( __FILE__, __LINE__ );
return null;
}
public void ensureCapacity(int minCapacity){
implMissing( __FILE__, __LINE__ );
}
override
public equals_t opEquals(Object o){
implMissing( __FILE__, __LINE__ );
return false;
}
public Object firstElement(){
implMissing( __FILE__, __LINE__ );
return null;
}
override
public Object get(int index){
if( index >= used || index < 0 ){
throw new ArrayIndexOutOfBoundsException( __FILE__, __LINE__ );
}
return vect[index];
}
override
public hash_t toHash(){
implMissingSafe( __FILE__, __LINE__ );
return 0;
}
override
public int indexOf(Object elem){
implMissing( __FILE__, __LINE__ );
return 0;
}
public int indexOf(Object elem, int index){
implMissing( __FILE__, __LINE__ );
return 0;
}
public void insertElementAt(Object obj, int index){
implMissing( __FILE__, __LINE__ );
}
override
public bool isEmpty(){
return used is 0;
}
override
public Iterator iterator(){
implMissing( __FILE__, __LINE__ );
return null;
}
public Object lastElement(){
implMissing( __FILE__, __LINE__ );
return null;
}
override
public int lastIndexOf(Object elem){
implMissing( __FILE__, __LINE__ );
return 0;
}
public int lastIndexOf(Object elem, int index){
implMissing( __FILE__, __LINE__ );
return 0;
}
override
public ListIterator listIterator(){
implMissing( __FILE__, __LINE__ );
return null;
}
override
public ListIterator listIterator(int index){
implMissing( __FILE__, __LINE__ );
return null;
}
override
public Object remove(int index){
implMissing( __FILE__, __LINE__ );
return null;
}
override
public bool remove(Object o){
implMissing( __FILE__, __LINE__ );
return false;
}
override
public bool remove(String key){
return remove(stringcast(key));
}
override
public bool removeAll(Collection c){
implMissing( __FILE__, __LINE__ );
return false;
}
public void removeAllElements(){
implMissing( __FILE__, __LINE__ );
}
public bool removeElement(Object obj){
implMissing( __FILE__, __LINE__ );
return false;
}
public void removeElementAt(int index){
implMissing( __FILE__, __LINE__ );
}
override
protected void removeRange(int fromIndex, int toIndex){
implMissing( __FILE__, __LINE__ );
}
override
public bool retainAll(Collection c){
implMissing( __FILE__, __LINE__ );
return false;
}
override
public Object set(int index, Object element){
implMissing( __FILE__, __LINE__ );
return null;
}
public void setElementAt(Object obj, int index){
implMissing( __FILE__, __LINE__ );
}
public void setSize(int newSize){
implMissing( __FILE__, __LINE__ );
}
override
public int size(){
return used;
}
override
public List subList(int fromIndex, int toIndex){
implMissing( __FILE__, __LINE__ );
return null;
}
override
public Object[] toArray(){
return vect[ 0 .. used ].dup;
}
override
public Object[] toArray(Object[] a){
implMissing( __FILE__, __LINE__ );
return null;
}
override
String[] toArray(String[] a){
implMissing( __FILE__, __LINE__ );
return null;
}
override
public String toString(){
implMissing( __FILE__, __LINE__ );
return null;
}
public void trimToSize(){
implMissing( __FILE__, __LINE__ );
}
// only for D
override
public int opApply (int delegate(ref Object value) dg){
implMissing( __FILE__, __LINE__ );
return 0;
}
}
| D |
a worker (especially in an office) hired on a temporary basis
| D |
/**
Copyright: © 2013 Simon Kérouack.
License: Subject to the terms of the MIT license,
as written in the included LICENSE.txt file.
Authors: Simon Kérouack
*/
module util.semver;
import std.string, std.regex, std.conv;
// Semantic Versioning for API.
struct Version {
uint major;
uint minor;
uint patch;
this(uint major, uint minor, uint patch) {
this.major = major;
this.minor = minor;
this.patch = patch;
}
this(string ver) {
string[] values = std.regex.split(ver, regex(`\.`));
major = to!uint(values[0]);
minor = to!uint(values[1]);
patch = to!uint(values[2]);
}
string toString() {
return format("%s.%s.%s",
major,
minor,
patch);
}
// When breaking backward compatibility,
// 0 if the project hasn't reached a stable state yet.
void incrMajor() {
major++;
minor = 0;
patch = 0;
}
// Incremented when new, backwards compatible functionality is introduced.
void incrMinor() {
minor++;
patch = 0;
}
// Incremented when backwards compatible bug fixes are introduced.
void incrPatch() {
patch++;
}
int opCmp(ref const Version v) const pure {
if (major == v.major)
if(minor == v.minor)
if(patch == v.patch)
return 0;
else return patch < v.patch ? -1 : 1;
else return minor < v.minor ? -1 : 1;
else return major < v.major ? -1 : 1;
}
bool opEquals()(auto ref const Version v) const pure {
return major == v.major && minor == v.minor && patch == v.patch;
}
}
| D |
a person who has been converted to another religious or political belief
change from one system to another or to a new plan or policy
change the nature, purpose, or function of something
change religious beliefs, or adopt a religious belief
exchange or replace with another, usually of the same kind or category
cause to adopt a new or different faith
score an extra point or points after touchdown by kicking the ball through the uprights or advancing the ball into the end zone
complete successfully
score (a spare)
make (someone) agree, understand, or realize the truth or validity of something
exchange a penalty for a less severe one
change in nature, purpose, or function
| D |
/*
* Copyright (c) 2007 KISA(Korea Information Security Agency). All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
* 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* 2. Neither the name of author nor the names of its contributors may
* be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY AUTHOR AND CONTRIBUTORS ``AS IS'' AND
* ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL AUTHOR OR CONTRIBUTORS BE LIABLE
* FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
* DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
* OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
* HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
* LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY
* OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
* SUCH DAMAGE.
*
*/
/* ====================================================================
* Copyright (c) 1998-2007 The OpenSSL Project. All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
*
* 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
*
* 2. Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in
* the documentation and/or other materials provided with the
* distribution.
*
* 3. All advertising materials mentioning features or use of this
* software must display the following acknowledgment:
* "This product includes software developed by the OpenSSL Project
* for use in the OpenSSL Toolkit. (http://www.openssl.org/)"
*
* 4. The names "OpenSSL Toolkit" and "OpenSSL Project" must not be used to
* endorse or promote products derived from this software without
* prior written permission. For written permission, please contact
* openssl-core@openssl.org.
*
* 5. Products derived from this software may not be called "OpenSSL"
* nor may "OpenSSL" appear in their names without prior written
* permission of the OpenSSL Project.
*
* 6. Redistributions of any form whatsoever must retain the following
* acknowledgment:
* "This product includes software developed by the OpenSSL Project
* for use in the OpenSSL Toolkit (http://www.openssl.org/)"
*
* THIS SOFTWARE IS PROVIDED BY THE OpenSSL PROJECT ``AS IS'' AND ANY
* EXPRESSED 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 OpenSSL PROJECT OR
* ITS CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
* SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
* LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
* HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT,
* STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED
* OF THE POSSIBILITY OF SUCH DAMAGE.
* ====================================================================
*
* This product includes cryptographic software written by Eric Young
* (eay@cryptsoft.com). This product includes software written by Tim
* Hudson (tjh@cryptsoft.com).
*
*/
module deimos.openssl.seed;
import deimos.openssl._d_util;
public import deimos.openssl.opensslconf;
public import deimos.openssl.e_os2;
public import deimos.openssl.crypto;
version (OPENSSL_NO_SEED) {
static assert(false, "SEED is disabled.");
}
// #ifdef AES_LONG /* look whether we need 'long' to get 32 bits */
// # ifndef SEED_LONG
// # define SEED_LONG 1
// # endif
// #endif
// #if !defined(NO_SYS_TYPES_H)
// # include <sys/types.h>
// #endif
enum SEED_BLOCK_SIZE = 16;
enum SEED_KEY_LENGTH = 16;
extern (C):
nothrow:
struct seed_key_st {
// #ifdef SEED_LONG
// c_ulong data[32];
// #else
uint[32] data;
// #endif
}
alias seed_key_st SEED_KEY_SCHEDULE;
version(OPENSSL_FIPS) {
void private_SEED_set_key(const(ubyte[SEED_KEY_LENGTH])* rawkey, SEED_KEY_SCHEDULE* ks);
}
void SEED_set_key(const(ubyte[SEED_KEY_LENGTH])* rawkey, SEED_KEY_SCHEDULE* ks);
void SEED_encrypt(const(ubyte[SEED_BLOCK_SIZE])* s, ubyte[SEED_BLOCK_SIZE]* d, const(SEED_KEY_SCHEDULE)* ks);
void SEED_decrypt(const(ubyte[SEED_BLOCK_SIZE])* s, ubyte[SEED_BLOCK_SIZE]* d, const(SEED_KEY_SCHEDULE)* ks);
void SEED_ecb_encrypt(const(ubyte)* in_, ubyte* out_, const(SEED_KEY_SCHEDULE)* ks, int enc);
void SEED_cbc_encrypt(const(ubyte)* in_, ubyte* out_,
size_t len, const(SEED_KEY_SCHEDULE)* ks, ubyte[SEED_BLOCK_SIZE]* ivec, int enc);
void SEED_cfb128_encrypt(const(ubyte)* in_, ubyte* out_,
size_t len, const(SEED_KEY_SCHEDULE)* ks, ubyte[SEED_BLOCK_SIZE]* ivec, int* num, int enc);
void SEED_ofb128_encrypt(const(ubyte)* in_, ubyte* out_,
size_t len, const(SEED_KEY_SCHEDULE)* ks, ubyte[SEED_BLOCK_SIZE]* ivec, int* num);
| D |
module voxtrac.tree;
import std.stdio;
import std.string;
import std.conv;
import std.array;
import std.range;
import voxtrac.math;
class Tree(T) {
static class Node {
public:
RectI3D volume;
}
static class Leaf : Node {
public:
T val;
this(RectI3D vol, T val) {
this.volume = vol;
this.val = val;
}
override string toString() const {
return "L" ~ to!string(volume) ~ " " ~ to!string(val);
}
}
static class Branch : Node {
public:
int nbranches;
Node[8] branches;
override string toString() const {
return "B" ~ to!string(volume) ~ " N: " ~ to!string(nbranches);
}
string toStringRec(int tab = 0) {
auto s = appender!string();
s.put('\t'.repeat(tab));
s.put("B");
s.put(volume.toString);
s.put("(\n");
foreach (i, n; branches) {
if (n is null)
continue;
Branch bn = cast(Branch) n;
s.put('\t'.repeat(tab));
if (bn !is null)
s.put(bn.toStringRec(tab + 1));
else
s.put("\t" ~ n.toString);
s.put("\n");
}
s.put('\t'.repeat(tab));
s.put(")");
return s.data;
}
}
Branch root;
public {
int nodeCount;
RectI3D volume;
T defVal;
}
static PointI3D split(RectI3D vol) {
int x0 = vol.x0 + ((vol.x1 - vol.x0) >> 1);
int y0 = vol.y0 + ((vol.y1 - vol.y0) >> 1);
int z0 = vol.z0 + ((vol.z1 - vol.z0) >> 1);
return PointI3D(x0, y0, z0);
}
static int getPart(PointI3D p, RectI3D vol) {
PointI3D s = split(vol);
int xb = p.x < s.x ? 1 : 0;
int yb = p.y < s.y ? 1 : 0;
int zb = p.z < s.z ? 1 : 0;
return (zb << 2) | (yb << 1) | xb;
}
Branch createBranch(RectI3D vol, T val) {
Branch b = new Branch();
b.volume = vol;
PointI3D s = split(vol);
for (size_t i = 0; i < 8; ++i) {
int xb = i & 1;
int yb = (i >> 1) & 1;
int zb = (i >> 2) & 1;
// dfmt off
RectI3D sv;
if (xb == 1) { sv.x0 = vol.x0; sv.x1 = s.x; }
else { sv.x0 = s.x; sv.x1 = vol.x1; }
if (yb == 1) { sv.y0 = vol.y0; sv.y1 = s.y; }
else { sv.y0 = s.y; sv.y1 = vol.y1; }
if (zb == 1) { sv.z0 = vol.z0; sv.z1 = s.z; }
else { sv.z0 = s.z; sv.z1 = vol.z1; }
// dfmt on
if (sv.volume > 0) {
b.branches[i] = new Leaf(sv, val);
++b.nbranches;
}
}
nodeCount += b.nbranches;
return b;
}
public this(RectI3D vol, T val) {
this.volume = vol;
this.defVal = val;
this.nodeCount = 1;
this.root = createBranch(vol, defVal);
}
T recGet(PointI3D p, const Node n) const {
Branch bn = cast(Branch) n;
if (bn is null) {
return (cast(Leaf) n).val;
}
else {
int i = getPart(p, bn.volume);
return recGet(p, bn.branches[i]);
}
}
public T get(PointI3D p) const {
return recGet(p, root);
}
bool recSet(PointI3D p, T x, Branch n, Branch prev, int prevIdx) {
int i = getPart(p, n.volume);
Node next = n.branches[i];
Branch bnext = cast(Branch) next;
bool changed;
if (bnext is null) { //We're on leaf node
Leaf lnext = cast(Leaf) next;
if (lnext.val == x)
return false; //Leaf value is the same as x, nothing to do here
if (lnext.volume.volume == 1) { //Smallest possible leaf, just set value to x
lnext.val = x;
changed = true;
}
else { //Otherwise, convert leaf to branch and repeat
n.branches[i] = bnext = createBranch(next.volume, lnext.val);
changed = recSet(p, x, bnext, n, i);
}
}
else { //We're on branch node, just repeat
changed = recSet(p, x, bnext, n, i);
}
if (changed) {
//Check if all children are now leafs with same value
bool same = true;
foreach (k; 0 .. 8) {
if (n.branches[k] is null)
continue;
Leaf ln = cast(Leaf) n.branches[k];
if (ln is null || ln.val != x) {
same = false;
break;
}
}
//And merge them into one big leaf (if it's not root)
if (same && (prev !is null)) {
nodeCount -= n.nbranches;
prev.branches[prevIdx] = new Leaf(prev.branches[prevIdx].volume, x);
return true;
}
}
return false;
}
public bool set(PointI3D p, T x) {
return recSet(p, x, root, null, -1);
}
}
unittest {
import std.random;
int maxX = 7;
int maxY = 9;
int maxZ = 11;
//Check read/write correctness using dictionary as ground truth
auto tree = new Tree!int(RectI3D(0, 0, 0, maxX, maxY, maxZ), 0);
int[PointI3D] dict;
auto rng = Random(1);
auto getRandomP() {
return PointI3D(uniform(0, maxX, rng), uniform(0, maxY, rng), uniform(0, maxZ, rng));
}
for (size_t i = 0; i < 10_000; ++i) {
//Set random voxel to random value
auto p = getRandomP();
int val = uniform(0, 10, rng);
tree.set(p, val);
dict[p] = val;
//Check another random point validity
auto cp = getRandomP();
int v = tree.get(cp);
int ev = cp !in dict ? 0 : dict[cp];
assert(v == ev);
}
//Check node merges
tree = new Tree!int(RectI3D(0, 0, 0, maxX, maxY, maxZ), 0);
for (int x = 0; x < maxX; x++) {
for (int y = 0; y < maxY; y++) {
for (int z = 0; z < maxZ; z++) {
tree.set(PointI3D(x, y, z), 1);
}
}
}
assert(tree.nodeCount == 9);
}
| D |
/*
* This file is part of gtkD.
*
* gtkD is free software; you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as published by
* the Free Software Foundation; either version 2.1 of the License, or
* (at your option) any later version.
*
* gtkD is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public License
* along with gtkD; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
// generated automatically - do not change
// find conversion definition on APILookup.txt
// implement new conversion functionalities on the wrap.utils pakage
/*
* Conversion parameters:
* inFile = gtkglext-gdkglcontext.html
* outPack = glgdk
* outFile = GLContext
* strct = GdkGLContext
* realStrct=
* ctorStrct=
* clss = GLContext
* interf =
* class Code: No
* interface Code: No
* template for:
* extend =
* implements:
* prefixes:
* - gdk_gl_context_
* omit structs:
* omit prefixes:
* omit code:
* omit signals:
* imports:
* - gtkD.glgdk.GLDrawable
* - gtkD.glgdk.GLConfig
* structWrap:
* - GdkGLConfig* -> GLConfig
* - GdkGLContext* -> GLContext
* - GdkGLDrawable* -> GLDrawable
* module aliases:
* local aliases:
* overrides:
*/
module gtkD.glgdk.GLContext;
public import gtkD.gtkglc.glgdktypes;
private import gtkD.gtkglc.glgdk;
private import gtkD.glib.ConstructionException;
private import gtkD.glgdk.GLDrawable;
private import gtkD.glgdk.GLConfig;
private import gtkD.gobject.ObjectG;
/**
* Description
*/
public class GLContext : ObjectG
{
/** the main Gtk struct */
protected GdkGLContext* gdkGLContext;
public GdkGLContext* getGLContextStruct()
{
return gdkGLContext;
}
/** the main Gtk struct as a void* */
protected override void* getStruct()
{
return cast(void*)gdkGLContext;
}
/**
* Sets our main struct and passes it to the parent class
*/
public this (GdkGLContext* gdkGLContext)
{
if(gdkGLContext is null)
{
this = null;
return;
}
//Check if there already is a D object for this gtk struct
void* ptr = getDObject(cast(GObject*)gdkGLContext);
if( ptr !is null )
{
this = cast(GLContext)ptr;
return;
}
super(cast(GObject*)gdkGLContext);
this.gdkGLContext = gdkGLContext;
}
/**
*/
/**
* Creates a new OpenGL rendering context.
* Params:
* gldrawable = a GdkGLDrawable.
* shareList = the GdkGLContext with which to share display lists and texture
* objects. NULL indicates that no sharing is to take place.
* direct = whether rendering is to be done with a direct connection to
* the graphics system.
* renderType = GDK_GL_RGBA_TYPE or GDK_GL_COLOR_INDEX_TYPE (currently not
* used).
* Throws: ConstructionException GTK+ fails to create the object.
*/
public this (GLDrawable gldrawable, GLContext shareList, int direct, int renderType)
{
// GdkGLContext* gdk_gl_context_new (GdkGLDrawable *gldrawable, GdkGLContext *share_list, gboolean direct, int render_type);
auto p = gdk_gl_context_new((gldrawable is null) ? null : gldrawable.getGLDrawableStruct(), (shareList is null) ? null : shareList.getGLContextStruct(), direct, renderType);
if(p is null)
{
throw new ConstructionException("null returned by gdk_gl_context_new((gldrawable is null) ? null : gldrawable.getGLDrawableStruct(), (shareList is null) ? null : shareList.getGLContextStruct(), direct, renderType)");
}
this(cast(GdkGLContext*) p);
}
/**
* Destroys the OpenGL resources associated with glcontext and
* decrements glcontext's reference count.
*/
public void destroy()
{
// void gdk_gl_context_destroy (GdkGLContext *glcontext);
gdk_gl_context_destroy(gdkGLContext);
}
/**
* Copy state from src rendering context to glcontext.
* mask contains the bitwise-OR of the same symbolic names that are passed to
* the glPushAttrib() function. You can use GL_ALL_ATTRIB_BITS to copy all the
* rendering state information.
* Params:
* src = the source context.
* Returns: FALSE if it fails, TRUE otherwise.
*/
public int copy(GLContext src, ulong mask)
{
// gboolean gdk_gl_context_copy (GdkGLContext *glcontext, GdkGLContext *src, unsigned long mask);
return gdk_gl_context_copy(gdkGLContext, (src is null) ? null : src.getGLContextStruct(), mask);
}
/**
* Gets GdkGLDrawable to which the glcontext is bound.
* Returns: the GdkGLDrawable or NULL if no GdkGLDrawable is bound.
*/
public GLDrawable getGLDrawable()
{
// GdkGLDrawable* gdk_gl_context_get_gl_drawable (GdkGLContext *glcontext);
auto p = gdk_gl_context_get_gl_drawable(gdkGLContext);
if(p is null)
{
return null;
}
return new GLDrawable(cast(GdkGLDrawable*) p);
}
/**
* Gets GdkGLConfig with which the glcontext is configured.
* Returns: the GdkGLConfig.
*/
public GLConfig getGLConfig()
{
// GdkGLConfig* gdk_gl_context_get_gl_config (GdkGLContext *glcontext);
auto p = gdk_gl_context_get_gl_config(gdkGLContext);
if(p is null)
{
return null;
}
return new GLConfig(cast(GdkGLConfig*) p);
}
/**
* Gets GdkGLContext with which the glcontext shares the display lists and
* texture objects.
* Returns: the GdkGLContext.
*/
public GLContext getShareList()
{
// GdkGLContext* gdk_gl_context_get_share_list (GdkGLContext *glcontext);
auto p = gdk_gl_context_get_share_list(gdkGLContext);
if(p is null)
{
return null;
}
return new GLContext(cast(GdkGLContext*) p);
}
/**
* Returns whether the glcontext is a direct rendering context.
* Returns: TRUE if the glcontext is a direct rendering contest.
*/
public int isDirect()
{
// gboolean gdk_gl_context_is_direct (GdkGLContext *glcontext);
return gdk_gl_context_is_direct(gdkGLContext);
}
/**
* Gets render_type of the glcontext.
* Returns: GDK_GL_RGBA_TYPE or GDK_GL_COLOR_INDEX_TYPE.
*/
public int getRenderType()
{
// int gdk_gl_context_get_render_type (GdkGLContext *glcontext);
return gdk_gl_context_get_render_type(gdkGLContext);
}
/**
* Returns the current GdkGLContext.
* Returns: the current GdkGLContext or NULL if there is no current context.<<Frame Buffer ConfigurationRendering Surface>>
*/
public static GLContext getCurrent()
{
// GdkGLContext* gdk_gl_context_get_current (void);
auto p = gdk_gl_context_get_current();
if(p is null)
{
return null;
}
return new GLContext(cast(GdkGLContext*) p);
}
}
| D |
import std.string;
import std.conv;
import std.getopt;
import std.algorithm.searching;
import std.algorithm.mutation;
import std.stdio;
import global;
import error;
import cmd;
string[] parseArgs(string[] args)
{
string connection;
string[] temp;
int tempPort;
// Parse arguments.
try
getopt(args,
std.getopt.config.passThrough,
std.getopt.config.bundling,
"c", &connection,
"s|shell", &global.shellMode);
catch (Throwable)
fatalErr("Invalid arguments.");
// Remove program name argument.
remove(args, 0);
--args.length;
// Check if connection specified.
if (connection != "")
{
// Check if port specified. If not, just use default.
if (indexOf(connection, ":") == -1)
server = connection;
else
{
temp = split(connection, ":");
if (temp.length != 2 || !temp[0].length || !temp[1].length)
fatalErr("Invalid connection syntax.\nPlease use: \"hostname:port\"" ~
"if you want to specify the port, otherwise use \"hostname\".");
server = temp[0];
try
tempPort = to!int(temp[1]);
catch (Throwable)
fatalErr("Invalid port: \"" ~ temp[1] ~ "\".\nPlease use a valid port number.");
if (tempPort < 1 || tempPort > 65535)
fatalErr("Invalid port: \"" ~ temp[1] ~ "\".\nPlease use a valid port number.");
port = cast(ushort)tempPort;
}
// Verify hostname/IP is valid.
if (startsWith(server, "-") || endsWith(server, "-"))
fatalErr("Invalid server: \"" ~ server ~
"\".\nHostnames/IP Adresses cannot begin or end with hyphens.");
}
return (args);
} | D |
add up in number or quantity
determine the sum of
damage beyond the point of repair
used of automobiles
| D |
instance DIA_Caine_Exit(C_Info)
{
npc = NOV_1301_Caine;
nr = 999;
condition = DIA_Caine_Exit_Condition;
information = DIA_Caine_Exit_Info;
important = 0;
permanent = 1;
description = DIALOG_ENDE;
};
func int DIA_Caine_Exit_Condition()
{
return 1;
};
func void DIA_Caine_Exit_Info()
{
AI_StopProcessInfos(self);
};
instance DIA_Caine_Hallo(C_Info)
{
npc = NOV_1301_Caine;
nr = 1;
condition = DIA_Caine_Hallo_Condition;
information = DIA_Caine_Hallo_Info;
permanent = 0;
description = "Zdar! Jsem tu nový!";
};
func int DIA_Caine_Hallo_Condition()
{
return 1;
};
func void DIA_Caine_Hallo_Info()
{
AI_Output(other,self,"DIA_Caine_Hallo_15_00"); //Zdar! Jsem tady nový!
AI_Output(self,other,"DIA_Caine_Hallo_13_01"); //Já... Já... Já jsem Caine, žák Cora Kaloma. Určitě jsi o něm slyšel, že jo?
Info_ClearChoices(DIA_Caine_Hallo);
Info_AddChoice(DIA_Caine_Hallo,"Ne.",DIA_Caine_Hallo_Nein);
Info_AddChoice(DIA_Caine_Hallo,"Ano.",DIA_Caine_Hallo_Ja);
};
func void DIA_Caine_Hallo_Ja()
{
AI_Output(other,self,"DIA_Caine_Hallo_Ja_15_00"); //Tak.
AI_Output(self,other,"DIA_Caine_Hallo_Ja_13_01"); //Pak musíš vědět, že je to druhý muž tohohle tábora... p-po Y´Berionovi.
Info_ClearChoices(DIA_Caine_Hallo);
};
func void DIA_Caine_Hallo_Nein()
{
AI_Output(other,self,"DIA_Caine_Hallo_Nein_15_00"); //Ne.
AI_Output(self,other,"DIA_Caine_Hallo_Nein_13_01"); //Ne?! Ty tady asi nebudeš dlouho, viď?
AI_Output(self,other,"DIA_Caine_Hallo_Nein_13_02"); //Cor Kalom je druhý nejdůležitější muž po Y´Berionovi. Rozhoduje, kdo se k nám může přidat jako novic.
Info_ClearChoices(DIA_Caine_Hallo);
};
instance DIA_Caine_Job(C_Info)
{
npc = NOV_1301_Caine;
nr = 2;
condition = DIA_Caine_Job_Condition;
information = DIA_Caine_Job_Info;
permanent = 0;
description = "Co je tvá práce?";
};
func int DIA_Caine_Job_Condition()
{
if(Npc_KnowsInfo(hero,DIA_Caine_Hallo))
{
return 1;
};
};
func void DIA_Caine_Job_Info()
{
AI_Output(other,self,"DIA_Caine_Job_15_00"); //A co máš na starosti ty?
AI_Output(self,other,"DIA_Caine_Job_13_01"); //Já... Já... Já pomáhám svému mistrovi připravovat alchymistické lektvary.
AI_Output(self,other,"DIA_Caine_Job_13_02"); //Většinou z d-drogy z b-bažin a z výměšků důlních červů. T.. ten výměšek je nesmírně žádaný.
};
instance DIA_Caine_WoSekret(C_Info)
{
npc = NOV_1301_Caine;
nr = 2;
condition = DIA_Caine_WoSekret_Condition;
information = DIA_Caine_WoSekret_Info;
permanent = 0;
description = "Kde dostanu ten výměšek důlních červů?";
};
func int DIA_Caine_WoSekret_Condition()
{
if(Npc_KnowsInfo(hero,DIA_Caine_Job))
{
return 1;
};
};
func void DIA_Caine_WoSekret_Info()
{
AI_Output(other,self,"DIA_Caine_WoSekret_15_00"); //Kde dostanu ten výměšek důlních červů?
AI_Output(self,other,"DIA_Caine_WoSekret_13_01"); //Červy najdeš ve Starém dole. Musíš ale vědět, jak ten výměšek získat.
AI_Output(self,other,"DIA_Caine_WoSekret_13_02"); //Jestli chceš s těmi bestiemi opravdu bojovat, měl by sis promluvit s některým z templářů, kteří s tím mají zkušenosti. Jako třeba Gor Na Drak.
AI_Output(self,other,"DIA_Caine_WoSekret_13_03"); //Cestuje mezi naším táborem a Starým dolem každý den. R-ráno ho najdeš v dílně.
};
instance DIA_Caine_AddInfoKalom(C_Info)
{
npc = NOV_1301_Caine;
nr = 2;
condition = DIA_Caine_AddInfoKalom_Condition;
information = DIA_Caine_AddInfoKalom_Info;
permanent = 0;
description = "Co mi ještě můžeš říci o svém mistrovi?";
};
func int DIA_Caine_AddInfoKalom_Condition()
{
if(Npc_KnowsInfo(hero,DIA_Caine_Job))
{
return 1;
};
};
func void DIA_Caine_AddInfoKalom_Info()
{
AI_Output(other,self,"DIA_Caine_AddInfoKalom_15_00"); //Co mi ještě můžeš říci o svém mistrovi?
AI_Output(self,other,"DIA_Caine_AddInfoKalom_13_01"); //On... on není jako... ostatní Guru. Každý se na něj může obrátit, ale... ale NIKDO nesmí plýtvat jeho vzácným časem.
};
instance Nov_1301_Caine_CHEST(C_Info)
{
npc = NOV_1301_Caine;
condition = Nov_1301_Caine_CHEST_Condition;
information = Nov_1301_Caine_CHEST_Info;
important = 0;
permanent = 0;
description = "Jak dostanu Kalomův recept?";
};
func int Nov_1301_Caine_CHEST_Condition()
{
if(Dexter_GetKalomsRecipe == LOG_RUNNING)
{
return TRUE;
};
};
func void Nov_1301_Caine_CHEST_Info()
{
AI_Output(other,self,"Nov_1301_Caine_CHEST_Info_15_01"); //Jak dostanu Kalomův recept?
AI_Output(self,other,"Nov_1301_Caine_CHEST_Info_13_02"); //Nedostaneš ho. Má ho zamčený ve své truhle a nikomu ho nedá.
};
| D |
/**
* EllИПtic integrals.
* The functions are named similarly в_ the names использован in Mathematica.
*
* License: BSD стиль: $(LICENSE)
* Copyright: Based on the CEPHES math library, which is
* Copyright (C) 1994 Stephen L. Moshier (moshier@world.std.com).
* Authors: Stephen L. Moshier (original C код). Conversion в_ D by Don Clugston
*
* References:
* $(LINK http://en.wikИПedia.org/wiki/EllИПtic_integral)
*
* Eric W. Weisstein. "EllИПtic Integral of the First Kind." ОтКого MathWorld--A Wolfram Web Resource. $(LINK http://mathworld.wolfram.com/EllИПticIntegraloftheFirstKind.html)
*
* $(LINK http://www.netlib.org/cephes/ldoubdoc.html)
*
* Macros:
* TABLE_SV = <таблица border=1 cellpadding=4 cellspacing=0>
* <caption>Special Values</caption>
* $0</таблица>
* SVH = $(TR $(TH $1) $(TH $2))
* SV = $(TR $(TD $1) $(TD $2))
* GAMMA = Γ
* INTEGRATE = $(BIG ∫<подст>$(SMALL $1)</подст><sup>$2</sup>)
* POWER = $1<sup>$2</sup>
* NAN = $(RED NAN)
*/
/**
* Macros:
* TABLE_SV = <таблица border=1 cellpadding=4 cellspacing=0>
* <caption>Special Values</caption>
* $0</таблица>
* SVH = $(TR $(TH $1) $(TH $2))
* SV = $(TR $(TD $1) $(TD $2))
*
* NAN = $(RED NAN)
* SUP = <вринтервал стиль="vertical-align:super;font-размер:smaller">$0</вринтервал>
* GAMMA = Γ
* INTEGRAL = ∫
* INTEGRATE = $(BIG ∫<подст>$(SMALL $1)</подст><sup>$2</sup>)
* POWER = $1<sup>$2</sup>
* BIGSUM = $(BIG Σ <sup>$2</sup><подст>$(SMALL $1)</подст>)
* CHOOSE = $(BIG () <sup>$(SMALL $1)</sup><подст>$(SMALL $2)</подст> $(BIG ))
*/
module math.Elliptic;
import math.Math;
import math.IEEE;
/* These functions are based on код из_:
Cephes Math Library, Release 2.3: October, 1995
Copyright 1984, 1987, 1995 by Stephen L. Moshier
*/
/**
* Incomplete elliptic integral of the первый kind
*
* Approximates the integral
* F(phi | m) = $(INTEGRATE 0, phi) dt/ (квкор( 1- m $(POWER син, 2) t))
*
* of amplitude phi и модуль m, using the arithmetic -
* geometric mean algorithm.
*/
реал ellipticF(реал phi, реал m )
{
реал a, b, c, e, temp, t, K;
цел d, mod, знак, npio2;
if( m == 0.0L )
return phi;
a = 1.0L - m;
if( a == 0.0L ) {
if ( фабс(phi) >= ПИ_2 ) return реал.infinity;
return лог( тан( 0.5L*(ПИ_2 + phi) ) );
}
npio2 = cast(цел)пол( phi/ПИ_2 );
if ( npio2 & 1 )
npio2 += 1;
if ( npio2 ) {
K = ellipticKComplete( a );
phi = phi - npio2 * ПИ_2;
} else
K = 0.0L;
if( phi < 0.0L ){
phi = -phi;
знак = -1;
} else знак = 0;
b = квкор(a);
t = тан( phi );
if( фабс(t) > 10.0L ) {
/* Transform the amplitude */
e = 1.0L/(b*t);
/* ... but avoопр multИПle recursions. */
if( фабс(e) < 10.0L ){
e = атан(e);
if( npio2 == 0 )
K = ellipticKComplete( a );
temp = K - ellipticF( e, m );
goto готово;
}
}
a = 1.0L;
c = квкор(m);
d = 1;
mod = 0;
while( фабс(c/a) > реал.epsilon ) {
temp = b/a;
phi = phi + атан(t*temp) + mod * ПИ;
mod = cast(цел)((phi + ПИ_2)/ПИ);
t = t * ( 1.0L + temp )/( 1.0L - temp * t * t );
c = 0.5L * ( a - b );
temp = квкор( a * b );
a = 0.5L * ( a + b );
b = temp;
d += d;
}
temp = (атан(t) + mod * ПИ)/(d * a);
готово:
if ( знак < 0 )
temp = -temp;
temp += npio2 * K;
return temp;
}
/**
* Incomplete elliptic integral of the секунда kind
*
* Approximates the integral
*
* Е(phi | m) = $(INTEGRATE 0, phi) квкор( 1- m $(POWER син, 2) t) dt
*
* of amplitude phi и модуль m, using the arithmetic -
* geometric mean algorithm.
*/
реал ellipticE(реал phi, реал m)
{
реал a, b, c, e, temp, t, Е;
цел d, mod, npio2, знак;
if ( m == 0.0L ) return phi;
реал lphi = phi;
npio2 = cast(цел)пол( lphi/ПИ_2 );
if( npio2 & 1 )
npio2 += 1;
lphi = lphi - npio2 * ПИ_2;
if( lphi < 0.0L ){
lphi = -lphi;
знак = -1;
} else {
знак = 1;
}
a = 1.0L - m;
Е = ellipticEComplete( a );
if( a == 0.0L ) {
temp = син( lphi );
goto готово;
}
t = тан( lphi );
b = квкор(a);
if ( фабс(t) > 10.0L ) {
/* Transform the amplitude */
e = 1.0L/(b*t);
/* ... but avoопр multИПle recursions. */
if( фабс(e) < 10.0L ){
e = атан(e);
temp = Е + m * син( lphi ) * син( e ) - ellipticE( e, m );
goto готово;
}
}
c = квкор(m);
a = 1.0L;
d = 1;
e = 0.0L;
mod = 0;
while( фабс(c/a) > реал.epsilon ) {
temp = b/a;
lphi = lphi + атан(t*temp) + mod * ПИ;
mod = cast(цел)((lphi + ПИ_2)/ПИ);
t = t * ( 1.0L + temp )/( 1.0L - temp * t * t );
c = 0.5L*( a - b );
temp = квкор( a * b );
a = 0.5L*( a + b );
b = temp;
d += d;
e += c * син(lphi);
}
temp = Е / ellipticKComplete( 1.0L - m );
temp *= (атан(t) + mod * ПИ)/(d * a);
temp += e;
готово:
if( знак < 0 )
temp = -temp;
temp += npio2 * Е;
return temp;
}
/**
* Complete elliptic integral of the первый kind
*
* Approximates the integral
*
* K(m) = $(INTEGRATE 0, π/2) dt/ (квкор( 1- m $(POWER син, 2) t))
*
* where m = 1 - x, using the approximation
*
* P(x) - лог x Q(x).
*
* The аргумент x is использован rather than m so that the logarithmic
* singularity at x = 1 will be shifted в_ the origin; this
* preserves maximum accuracy.
*
* x must be in the range
* 0 <= x <= 1
*
* This is equivalent в_ ellipticF(ПИ_2, 1-x).
*
* K(0) = π/2.
*/
реал ellipticKComplete(реал x)
in {
// assert(x>=0.0L && x<=1.0L);
}
body{
const реал [] P = [
0x1.62e42fefa39ef35ap+0, // 1.3862943611198906189
0x1.8b90bfbe8ed811fcp-4, // 0.096573590279993142323
0x1.fa05af797624c586p-6, // 0.030885144578720423267
0x1.e979cdfac7249746p-7, // 0.01493761594388688915
0x1.1f4cc8890cff803cp-7, // 0.0087676982094322259125
0x1.7befb3bb1fa978acp-8, // 0.0057973684116620276454
0x1.2c2566aa1d5fe6b8p-8, // 0.0045798659940508010431
0x1.7333514e7fe57c98p-8, // 0.0056640695097481470287
0x1.09292d1c8621348cp-7, // 0.0080920667906392630755
0x1.b89ab5fe793a6062p-8, // 0.0067230886765842542487
0x1.28e9c44dc5e26e66p-9, // 0.002265267575136470585
0x1.c2c43245d445addap-13, // 0.00021494216542320112406
0x1.4ee247035a03e13p-20 // 1.2475397291548388385e-06
];
const реал [] Q = [
0x1p-1, // 0.5
0x1.fffffffffff635eap-4, // 0.12499999999999782631
0x1.1fffffff8a2bea1p-4, // 0.070312499993302227507
0x1.8ffffe6f40ec2078p-5, // 0.04882812208418620146
0x1.323f4dbf7f4d0c2ap-5, // 0.037383701182969303058
0x1.efe8a028541b50bp-6, // 0.030267864612427881354
0x1.9d58c49718d6617cp-6, // 0.025228683455123323041
0x1.4d1a8d2292ff6e2ep-6, // 0.020331037356569904872
0x1.b637687027d664aap-7, // 0.013373304362459048444
0x1.687a640ae5c71332p-8, // 0.0055004591221382442135
0x1.0f9c30a94a1dcb4ep-10, // 0.001036110372590318803
0x1.d321746708e92d48p-15 // 5.568631677757315399e-05
];
const реал LOG4 = 0x1.62e42fefa39ef358p+0; // лог(4)
if( x > реал.epsilon )
return поли(x,P) - лог(x) * поли(x,Q);
if ( x == 0.0L )
return реал.infinity;
return LOG4 - 0.5L * лог(x);
}
/**
* Complete elliptic integral of the секунда kind
*
* Approximates the integral
*
* Е(m) = $(INTEGRATE 0, π/2) квкор( 1- m $(POWER син, 2) t) dt
*
* where m = 1 - x, using the approximation
*
* P(x) - x лог x Q(x).
*
* Though there are no singularities, the аргумент m1 is использован
* rather than m for compatibility with ellipticKComplete().
*
* Е(1) = 1; Е(0) = π/2.
* m must be in the range 0 <= m <= 1.
*/
реал ellipticEComplete(реал x)
in {
assert(x>=0 && x<=1.0);
}
body {
const реал [] P = [
0x1.c5c85fdf473f78f2p-2, // 0.44314718055994670505
0x1.d1591f9e9a66477p-5, // 0.056805192715569305834
0x1.65af6a7a61f587cp-6, // 0.021831373198011179718
0x1.7a4d48ed00d5745ap-7, // 0.011544857605264509506
0x1.d4f5fe4f93b60688p-8, // 0.0071557756305783152481
0x1.4cb71c73bac8656ap-8, // 0.0050768322432573952962
0x1.4a9167859a1d0312p-8, // 0.0050440671671840438539
0x1.dd296daa7b1f5b7ap-8, // 0.0072809117068399675418
0x1.04f2c29224ba99b6p-7, // 0.0079635095646944542686
0x1.0f5820e2d80194d8p-8, // 0.0041403847015715420009
0x1.95ee634752ca69b6p-11, // 0.00077425232385887751162
0x1.0c58aa9ab404f4fp-15 // 3.1989378120323412946e-05
];
const реал [] Q = [
0x1.ffffffffffffb1cep-3, // 0.24999999999999986434
0x1.7ffffffff29eaa0cp-4, // 0.093749999999239422678
0x1.dfffffbd51eb098p-5, // 0.058593749514839092674
0x1.5dffd791cb834c92p-5, // 0.04272453406734691973
0x1.1397b63c2f09a8ep-5, // 0.033641677787700181541
0x1.c567cde5931e75bcp-6, // 0.02767367465121309044
0x1.75e0cae852be9ddcp-6, // 0.022819708015315777007
0x1.12bb968236d4e434p-6, // 0.016768357258894633433
0x1.1f6572c1c402d07cp-7, // 0.0087706384979640787504
0x1.452c6909f88b8306p-9, // 0.0024808767529843311337
0x1.1f7504e72d664054p-12, // 0.00027414045912208516032
0x1.ad17054dc46913e2p-18 // 6.3939381343012054851e-06
];
if (x==0)
return 1.0L;
return 1.0L + x * поли(x,P) - лог(x) * (x * поли(x,Q) );
}
debug (UnitTest)
{
unittest {
assert( ellipticF(1, 0)==1);
assert(ellipticEComplete(0)==1);
assert(ellipticEComplete(1)==ПИ_2);
assert(отнравх(ellipticKComplete(1),ПИ_2)>= реал.mant_dig-1);
assert(ellipticKComplete(0)==реал.infinity);
// assert(ellipticKComplete(1)==0); //-реал.infinity);
реал x=0.5653L;
assert(ellipticKComplete(1-x) == ellipticF(ПИ_2, x) );
assert(ellipticEComplete(1-x) == ellipticE(ПИ_2, x) );
}
}
/**
* Incomplete elliptic integral of the third kind
*
* Approximates the integral
*
* ПИ(n; phi | m) = $(INTEGRATE t=0, phi) dt/((1 - n $(POWER син,2)t) * квкор( 1- m $(POWER син, 2) t))
*
* of amplitude phi, модуль m, и characteristic n using Gauss-Legendre
* quadrature.
*
* Note that ellipticPi(ПИ_2, m, 1) is infinite for any m.
*/
реал ellipticPi(реал phi, реал m, реал n)
{
// BUGS: This implementation suffers из_ poor точность.
const дво [] t = [
0.9931285991850949, 0.9639719272779138,
0.9122344282513259, 0.8391169718222188,
0.7463319064601508, 0.6360536807265150,
0.5108670019508271, 0.3737060887154195,
0.2277858511416451, 0.7652652113349734e-1
];
const дво [] w =[
0.1761400713915212e-1, 0.4060142980038694e-1,
0.6267204833410907e-1, 0.8327674157670475e-1,
0.1019301198172404, 0.1181945319615184,
0.1316886384491766, 0.1420961093183820,
0.1491729864726037, 0.1527533871307258
];
бул b1 = (m==1) && абс(phi-90)<=1e-8;
бул b2 = (n==1) && абс(phi-90)<=1e-8;
if (b1 || b2) return реал.infinity;
реал c1 = 0.87266462599716e-2 * phi;
реал c2 = c1;
дво x = 0;
for (цел i=0; i< t.length; ++i) {
реал c0 = c2 * t[i];
реал t1 = c1 + c0;
реал t2 = c1 - c0;
реал s1 = син(t1); // син(c1 * (1 + t[i]))
реал s2 = син(t2); // син(c1 * (1 - t[i]))
реал f1 = 1.0 / ((1.0 - n * s1 * s1) * квкор(1.0 - m * s1 * s1));
реал f2 = 1.0 / ((1.0 - n * s2 * s2) * квкор(1.0 - m * s2 * s2));
x+= w[i]*(f1+f2);
}
return c1 * x;
}
/**
* Complete elliptic integral of the third kind
*/
реал ellipticPiComplete(реал m, реал n)
in {
assert(m>=-1.0 && m<=1.0);
}
body {
return ellipticPi(ПИ_2, m, n);
}
| D |
module basics.user;
/* User settings read from the user config file. This file differs from the
* global config file, see globconf.d. Whenever the user file doesn't exist,
* the default values from static this() are used.
*/
import std.typecons; // rebindable
import std.algorithm; // sort filenames before outputting them
import std.conv;
import enumap;
import basics.alleg5;
import basics.globals;
import basics.globconf;
import basics.help;
import file.filename;
import file.date;
import file.io;
import file.language;
import file.log; // when writing to disk fails
import file.useropt;
import hardware.keynames;
import hardware.keyset;
import net.ac;
import net.repdata; // Update, for saving the results
import net.style;
private Result[Filename] results;
// These is only for iteration during option saving/loading.
// Outside of this module, refer to options by their static variable name.
private AbstractUserOption[string] _optvecLoad;
private AbstractUserOption[] _optvecSave;
private auto newOpt(T)(string fileKey, Lang lang, T defaultVal)
{
assert (fileKey !in _optvecLoad);
static if (is (T == Filename))
auto ret = new UserOptionFilename(fileKey, lang, defaultVal);
else
auto ret = new UserOption!T(fileKey, lang, defaultVal);
_optvecLoad[fileKey] = ret;
_optvecSave ~= ret;
return ret;
}
private auto newOpt(T)(string fileKey, T defaultVal)
{
return newOpt(fileKey, Lang.min, defaultVal);
}
@property bool languageIsEnglish()
{
assert (fileLanguage !is null);
assert (fileLanguage.value !is null);
return fileLanguage.value == basics.globals.fileLanguageEnglish;
}
UserOptionFilename fileLanguage;
UserOption!int optionGroup;
UserOption!int mouseSpeed;
UserOption!int scrollSpeedEdge;
UserOption!int scrollSpeedClick;
UserOption!bool fastMovementFreesMouse;
UserOption!bool avoidBuilderQueuing;
UserOption!bool avoidBatterToExploder;
UserOption!int pausedAssign; // 0 = nothing (allows multiple assignments),
// 1 = advance 1 frame, 2 = unpause
UserOption!bool screenWindowed;
UserOption!int screenWindowedX;
UserOption!int screenWindowedY;
UserOption!bool paintTorusSeams;
UserOption!bool ingameTooltips;
UserOption!bool showButtonHotkeys;
UserOption!bool showFPS;
UserOption!int guiColorRed;
UserOption!int guiColorGreen;
UserOption!int guiColorBlue;
UserOption!int soundVolume;
UserOptionFilename singleLastLevel;
UserOptionFilename networkLastLevel;
UserOptionFilename replayLastLevel;
UserOption!int networkLastStyle;
UserOption!bool replayAutoSolutions;
UserOption!bool replayAutoMulti;
UserOption!int editorGridSelected;
UserOption!int editorGridCustom;
UserOptionFilename editorLastDirTerrain;
UserOptionFilename editorLastDirSteel;
UserOptionFilename editorLastDirHatch;
UserOptionFilename editorLastDirGoal;
UserOptionFilename editorLastDirHazard;
UserOption!KeySet
keyScroll,
keyPriorityInvert,
keyZoomIn,
keyZoomOut,
keyForceLeft,
keyForceRight,
keyPause,
keyFrameBackMany,
keyFrameBackOne,
keyFrameAheadOne,
keyFrameAheadMany,
keySpeedFast,
keySpeedTurbo,
keyRestart,
keyStateLoad,
keyStateSave,
keyNuke,
keySpecTribe,
keyChat,
keyGameExit,
keyMenuOkay,
keyMenuEdit,
keyMenuNewLevel,
keyMenuExport,
keyMenuDelete,
keyMenuUpDir,
keyMenuUpBy1,
keyMenuUpBy5,
keyMenuDownBy1,
keyMenuDownBy5,
keyMenuExit,
keyMenuMainSingle,
keyMenuMainNetwork,
keyMenuMainReplays,
keyMenuMainOptions,
keyEditorLeft,
keyEditorRight,
keyEditorUp,
keyEditorDown,
keyEditorSave,
keyEditorSaveAs,
keyEditorCopy,
keyEditorDelete,
keyEditorGrid,
keyEditorSelectAll,
keyEditorSelectFrame,
keyEditorSelectAdd,
keyEditorGroup,
keyEditorUngroup,
keyEditorBackground,
keyEditorForeground,
keyEditorMirror,
keyEditorRotate,
keyEditorDark,
keyEditorAddTerrain,
keyEditorAddSteel,
keyEditorAddHatch,
keyEditorAddGoal,
keyEditorAddHazard,
keyEditorExit,
keyEditorMenuConstants,
keyEditorMenuTopology,
keyEditorMenuLooks,
keyEditorMenuSkills;
Enumap!(Ac, UserOption!KeySet) keySkill;
@property const(Ac[14]) skillSort() { return _skillSort; }
private Ac[14] _skillSort = [
Ac.walker,
Ac.jumper,
Ac.runner,
Ac.climber,
Ac.floater,
Ac.batter,
Ac.exploder,
Ac.blocker,
Ac.cuber,
Ac.builder,
Ac.platformer,
Ac.basher,
Ac.miner,
Ac.digger
];
static this()
{
assert (! fileLanguage);
assert (fileLanguageEnglish);
fileLanguage = newOpt("LANGUAGE", Lang.optionLanguage, fileLanguageEnglish);
optionGroup = newOpt("OPTION_GROUP", 0);
mouseSpeed = newOpt("MOUSE_SPEED", Lang.optionMouseSpeed, mouseStandardDivisor);
scrollSpeedEdge = newOpt("SCROLL_SPEED_EDGE", Lang.optionScrollSpeedEdge, mouseStandardDivisor);
scrollSpeedClick = newOpt("SCROLL_SPEED_CLICK", Lang.optionScrollSpeedClick, mouseStandardDivisor / 2);
fastMovementFreesMouse = newOpt("FAST_MOVEMENT_FREES_MOUSE", Lang.optionFastMovementFreesMouse, false);
avoidBuilderQueuing = newOpt("AVOID_BUILDER_QUEUING", Lang.optionAvoidBuilderQueuing, true);
avoidBatterToExploder = newOpt("AVOID_BATTER_TO_EXPLODER", Lang.optionAvoidBatterToExploder, false);
pausedAssign = newOpt("PAUSED_ASSIGN", Lang.optionPausedAssign, 1);
screenWindowed = newOpt("SCREEN_WINDOWED", Lang.optionScreenWindowed, false);
screenWindowedX = newOpt("SCREEN_WINDOWED_X", Lang.optionScreenWindowedRes, 640);
screenWindowedY = newOpt("SCREEN_WINDOWED_Y", 480);
paintTorusSeams = newOpt("PAINT_TORUS_SEAMS", Lang.optionPaintTorusSeams, true);
ingameTooltips = newOpt("INGAME_TOOLTIPS", Lang.optionIngameTooltips, true);
showButtonHotkeys = newOpt("SHOW_BUTTON_HOTKEYS", Lang.optionShowButtonHotkeys, true);
showFPS = newOpt("SHOW_FPS", Lang.optionShowFPS, true);
guiColorRed = newOpt("GUI_COLOR_RED", Lang.optionGuiColorRed, 0x60);
guiColorGreen = newOpt("GUI_COLOR_GREEN", Lang.optionGuiColorGreen, 0x80);
guiColorBlue = newOpt("GUI_COLOR_BLUE", Lang.optionGuiColorBlue, 0xB0);
soundVolume = newOpt("SOUND_VOLUME", Lang.optionSoundVolume, 10);
singleLastLevel = newOpt("SINGLE_LAST_LEVEL", dirLevelsSingle);
networkLastLevel = newOpt("NETWORK_LAST_LEVEL", dirLevelsNetwork);
replayLastLevel = newOpt("REPLAY_LAST_LEVEL", dirReplays);
networkLastStyle = newOpt("NETWORK_LAST_STYLE", Style.red.to!int);
replayAutoSolutions = newOpt("REPLAY_AUTO_SAVE_SOLUTIONS", Lang.optionReplayAutoSolutions, true);
replayAutoMulti = newOpt("REPLAY_AUTO_SAVE_MULTI", Lang.optionReplayAutoMulti, true);
editorLastDirTerrain = newOpt("EDITOR_LAST_DIR_TERRAIN", Lang.addTerrain, dirImages);
editorLastDirSteel = newOpt("EDITOR_LAST_DIR_STEEL", Lang.addSteel, dirImages);
editorLastDirHatch = newOpt("EDITOR_LAST_DIR_HATCH", Lang.addHatch, dirImages);
editorLastDirGoal = newOpt("EDITOR_LAST_DIR_GOAL", Lang.addGoal, dirImages);
editorLastDirHazard = newOpt("EDITOR_LAST_DIR_HAZARD", Lang.addHazard, dirImages);
editorGridSelected = newOpt("EDITOR_GRID_SELECTED", 1);
editorGridCustom = newOpt("EDITOR_GRID_CUSTOM", Lang.optionEdGridCustom, 8);
void newSkillKey(Ac ac, int singleKey)
{
keySkill[ac] = newOpt(ac.acToString, KeySet(singleKey));
}
newSkillKey(Ac.walker, ALLEGRO_KEY_D);
newSkillKey(Ac.jumper, ALLEGRO_KEY_R);
newSkillKey(Ac.runner, ALLEGRO_KEY_LSHIFT);
newSkillKey(Ac.climber, ALLEGRO_KEY_Z);
newSkillKey(Ac.floater, ALLEGRO_KEY_Q);
newSkillKey(Ac.batter, ALLEGRO_KEY_C);
newSkillKey(Ac.exploder, ALLEGRO_KEY_V);
newSkillKey(Ac.blocker, ALLEGRO_KEY_X);
newSkillKey(Ac.cuber, ALLEGRO_KEY_B);
newSkillKey(Ac.builder, ALLEGRO_KEY_A);
newSkillKey(Ac.platformer, ALLEGRO_KEY_T);
newSkillKey(Ac.basher, ALLEGRO_KEY_E);
newSkillKey(Ac.miner, ALLEGRO_KEY_G);
newSkillKey(Ac.digger, ALLEGRO_KEY_W);
auto newKey(string str, Lang lang, int key)
{
return newOpt(str, lang, KeySet(key));
}
auto newKey2(string str, Lang lang, int key1, int key2)
{
return newOpt(str, lang, KeySet(KeySet(key1), KeySet(key2)));
}
// Global keys -- these work in editor and game
keyScroll = newKey("KEY_HOLD_TO_SCROLL", Lang.optionKeyScroll, keyRMB);
keyPriorityInvert = newKey("KEY_PRIORITY_INVERT", Lang.optionKeyPriorityInvert, keyRMB);
keyZoomIn = newKey("KEY_ZOOM_IN", Lang.optionKeyZoomIn, hardware.keynames.keyWheelUp);
keyZoomOut = newKey("KEY_ZOOM_OUT", Lang.optionKeyZoomOut, hardware.keynames.keyWheelDown);
// Game keys
keyForceLeft = newKey2("KEY_FORCE_LEFT", Lang.optionKeyForceLeft, ALLEGRO_KEY_S, ALLEGRO_KEY_LEFT);
keyForceRight = newKey2("KEY_FORCE_RIGHT", Lang.optionKeyForceRight, ALLEGRO_KEY_F, ALLEGRO_KEY_RIGHT);
keyPause = newKey2("KEY_PAUSE", Lang.optionKeyPause, ALLEGRO_KEY_SPACE, keyMMB);
keyFrameBackMany = newKey("KEY_SPEED_BACK_MANY", Lang.optionKeyFrameBackMany, ALLEGRO_KEY_1);
keyFrameBackOne = newKey("KEY_SPEED_BACK_ONE", Lang.optionKeyFrameBackOne, ALLEGRO_KEY_2);
keyFrameAheadOne = newKey("KEY_SPEED_AHEAD_ONE", Lang.optionKeyFrameAheadOne, ALLEGRO_KEY_3);
keyFrameAheadMany = newKey("KEY_SPEED_AHEAD_MANY", Lang.optionKeyFrameAheadMany, ALLEGRO_KEY_6);
keySpeedFast = newKey("KEY_SPEED_FAST", Lang.optionKeySpeedFast, ALLEGRO_KEY_4);
keySpeedTurbo = newKey("KEY_SPEED_TURBO", Lang.optionKeySpeedTurbo, ALLEGRO_KEY_5);
keyRestart = newKey("KEY_RESTART", Lang.optionKeyRestart, ALLEGRO_KEY_F1);
keyStateLoad = newKey("KEY_STATE_LOAD", Lang.optionKeyStateLoad, ALLEGRO_KEY_F2);
keyStateSave = newKey("KEY_STATE_SAVE", Lang.optionKeyStateSave, ALLEGRO_KEY_F3);
keyNuke = newKey("KEY_NUKE", Lang.optionKeyNuke, ALLEGRO_KEY_F12);
keySpecTribe = newKey("KEY_SPECTATE_NEXT_PLAYER", Lang.optionKeySpecTribe, ALLEGRO_KEY_TAB);
keyChat = newKey("KEY_CHAT", Lang.optionKeyChat, ALLEGRO_KEY_ENTER);
keyGameExit = newKey("KEY_GAME_EXIT", Lang.winGameTitle, ALLEGRO_KEY_ESCAPE);
keyMenuOkay = newKey("KEY_MENU_OKAY", Lang.optionKeyMenuOkay, ALLEGRO_KEY_SPACE);
keyMenuEdit = newKey("KEY_MENU_EDIT", Lang.optionKeyMenuEdit, ALLEGRO_KEY_F);
keyMenuNewLevel = newKey("KEY_MENU_NEW_LEVEL", Lang.optionKeyMenuNewLevel, ALLEGRO_KEY_F1);
keyMenuExport = newKey("KEY_MENU_EXPORT", Lang.optionKeyMenuExport, ALLEGRO_KEY_R);
keyMenuDelete = newKey2("KEY_MENU_DELETE", Lang.optionKeyMenuDelete, ALLEGRO_KEY_G, ALLEGRO_KEY_DELETE);
keyMenuUpDir = newKey("KEY_MENU_UP_DIR", Lang.optionKeyMenuUpDir, ALLEGRO_KEY_A);
keyMenuUpBy1 = newKey2("KEY_MENU_UP_1", Lang.optionKeyMenuUpBy1, ALLEGRO_KEY_S, ALLEGRO_KEY_UP);
keyMenuUpBy5 = newKey("KEY_MENU_UP_5", Lang.optionKeyMenuUpBy5, ALLEGRO_KEY_W);
keyMenuDownBy1 = newKey2("KEY_MENU_DOWN_1", Lang.optionKeyMenuDownBy1, ALLEGRO_KEY_D, ALLEGRO_KEY_DOWN);
keyMenuDownBy5 = newKey("KEY_MENU_DOWN_5", Lang.optionKeyMenuDownBy5, ALLEGRO_KEY_E);
keyMenuExit = newKey("KEY_MENU_EXIT", Lang.optionKeyMenuExit, ALLEGRO_KEY_ESCAPE);
keyMenuMainSingle = newKey("KEY_MENU_MAIN_SINGLE", Lang.browserSingleTitle, ALLEGRO_KEY_F);
keyMenuMainNetwork = newKey("KEY_MENU_MAIN_NETWORK", Lang.winLobbyTitle, ALLEGRO_KEY_D);
keyMenuMainReplays = newKey("KEY_MENU_MAIN_REPLAY", Lang.browserReplayTitle, ALLEGRO_KEY_S);
keyMenuMainOptions = newKey("KEY_MENU_MAIN_OPTIONS", Lang.optionTitle, ALLEGRO_KEY_A);
keyEditorLeft = newKey2("KEY_EDITOR_LEFT", Lang.optionEdLeft, ALLEGRO_KEY_S, ALLEGRO_KEY_LEFT);
keyEditorRight = newKey2("KEY_EDITOR_RIGHT", Lang.optionEdRight, ALLEGRO_KEY_F, ALLEGRO_KEY_RIGHT);
keyEditorUp = newKey2("KEY_EDITOR_UP", Lang.optionEdUp, ALLEGRO_KEY_E, ALLEGRO_KEY_UP);
keyEditorDown = newKey2("KEY_EDITOR_DOWN", Lang.optionEdDown, ALLEGRO_KEY_D, ALLEGRO_KEY_DOWN);
keyEditorSave = newOpt("KEY_EDITOR_SAVE", Lang.optionEdSave, KeySet());
keyEditorSaveAs = newOpt("KEY_EDITOR_SAVE_AS", Lang.optionEdSaveAs, KeySet());
keyEditorCopy = newKey("KEY_EDITOR_COPY", Lang.optionEdCopy, ALLEGRO_KEY_A);
keyEditorDelete = newKey2("KEY_EDITOR_DELETE", Lang.optionEdDelete, ALLEGRO_KEY_G, ALLEGRO_KEY_DELETE);
keyEditorGrid = newKey("KEY_EDITOR_GRID", Lang.optionEdGrid, ALLEGRO_KEY_C);
keyEditorSelectAll = newKey("KEY_EDITOR_SELECT_ALL", Lang.optionEdSelectAll, ALLEGRO_KEY_ALT);
keyEditorSelectFrame = newKey("KEY_EDITOR_SELECT_FRAME", Lang.optionEdSelectFrame, ALLEGRO_KEY_LSHIFT);
keyEditorSelectAdd = newKey("KEY_EDITOR_SELECT_ADD", Lang.optionEdSelectAdd, ALLEGRO_KEY_V);
keyEditorGroup = newKey("KEY_EDITOR_GROUP", Lang.optionEdGroup, ALLEGRO_KEY_Q);
keyEditorUngroup = newOpt("KEY_EDITOR_UNGROUP", Lang.optionEdUngroup, KeySet());
keyEditorForeground = newKey("KEY_EDITOR_FOREGROUND", Lang.optionEdForeground, ALLEGRO_KEY_T);
keyEditorBackground = newKey("KEY_EDITOR_BACKGROUND", Lang.optionEdBackground, ALLEGRO_KEY_B);
keyEditorMirror = newKey("KEY_EDITOR_MIRROR", Lang.optionEdMirror, ALLEGRO_KEY_W);
keyEditorRotate = newKey("KEY_EDITOR_ROTATE", Lang.optionEdRotate, ALLEGRO_KEY_R);
keyEditorDark = newKey("KEY_EDITOR_DARK", Lang.optionEdDark, ALLEGRO_KEY_X);
keyEditorAddTerrain = newKey("KEY_EDITOR_ADD_TERRAIN", Lang.optionEdAddTerrain, ALLEGRO_KEY_SPACE);
keyEditorAddSteel = newKey("KEY_EDITOR_ADD_STEEL", Lang.optionEdAddSteel, ALLEGRO_KEY_TAB);
keyEditorAddHatch = newKey("KEY_EDITOR_ADD_HATCH", Lang.optionEdAddHatch, ALLEGRO_KEY_1);
keyEditorAddGoal = newKey("KEY_EDITOR_ADD_GOAL", Lang.optionEdAddGoal, ALLEGRO_KEY_2);
keyEditorAddHazard = newKey("KEY_EDITOR_ADD_HAZARD", Lang.optionEdAddHazard, ALLEGRO_KEY_4);
keyEditorMenuConstants = newKey("KEY_EDITOR_MENU_CONSTANTS", Lang.winConstantsTitle, ALLEGRO_KEY_5);
keyEditorMenuTopology = newKey("KEY_EDITOR_MENU_TOPOLOGY", Lang.winTopologyTitle, ALLEGRO_KEY_6);
keyEditorMenuLooks = newKey("KEY_EDITOR_MENU_LOOKS", Lang.winLooksTitle, ALLEGRO_KEY_7);
keyEditorMenuSkills = newKey("KEY_EDITOR_MENU_SKILLS", Lang.winSkillsTitle, ALLEGRO_KEY_8);
keyEditorExit = newKey("KEY_EDITOR_EXIT", Lang.commonExit, ALLEGRO_KEY_ESCAPE);
_optvecLoad.rehash();
}
// ############################################################################
class Result {
const(Date) built;
int lixSaved;
int skillsUsed;
Update updatesUsed;
this (const(Date) bu)
{
built = bu;
}
int opEquals(in Result rhs) const
{
return built == rhs.built
&& lixSaved == rhs.lixSaved
&& skillsUsed == rhs.skillsUsed
&& updatesUsed == rhs.updatesUsed;
}
// Returns < 0 on a worse rhs result, > 0 for a better rhs result.
// The user wouldn't want to replace an old solving result with
// a new-built-using non-solving result.
// To check in results into the database of solved levels, use
// setLevelResult() from this module.
int opCmp(in Result rhs) const
{
if (lixSaved != rhs.lixSaved)
return lixSaved - rhs.lixSaved; // more lix saved is better
if (skillsUsed != rhs.skillsUsed)
return rhs.skillsUsed - skillsUsed; // fewer skills used is better
if (updatesUsed != rhs.updatesUsed)
return rhs.updatesUsed - updatesUsed; // less time taken is better
return built.opCmp(rhs.built); // newer result better
}
unittest {
Result a = new Result(Date.now());
Result b = new Result(Date.now());
a.lixSaved = 4;
b.lixSaved = 5;
assert (b > a);
b.lixSaved = 4;
assert (a >= b);
b.updatesUsed = 1;
assert (a > b);
}
}
const(Result) getLevelResult(in Filename fn)
{
Result* ret = (rebindable!(const Filename)(fn) in results);
return ret ? (*ret) : null;
}
void setLevelResult(
in Filename _fn,
Result r,
) {
auto fn = rebindable!(const Filename)(_fn);
auto savedResult = (fn in results);
if (savedResult is null
|| savedResult.built != r.built
|| *savedResult < r)
results[fn] = r;
}
// ############################################################################
private Filename userFileName()
{
return new VfsFilename(dirDataUser.dirRootless
~ basics.help.escapeStringForFilename(userName)
~ filenameExtConfig);
}
void load()
{
if (userName == null)
// This happens upon first start after installation.
// Don't try to load anything, and don't log anything.
return;
IoLine[] lines;
try
lines = fillVectorFromFile(userFileName());
catch (Exception e) {
log("Can't load user configuration for `" ~ userName ~ "':");
log(" -> " ~ e.msg);
log(" -> Falling back to the unescaped filename `"
~ userName ~ filenameExtConfig ~ "'.");
try {
lines = fillVectorFromFile(new VfsFilename(
dirDataUser.dirRootless ~ userName ~ filenameExtConfig));
}
catch (Exception e) {
log(" -> " ~ e.msg);
log(" -> " ~ "Falling back to the default user configuration.");
lines = null;
}
}
results = null;
foreach (i; lines) {
if (i.type == '<') {
auto fn = rebindable!(const Filename)(new VfsFilename(i.text1));
Result read = new Result(new Date(i.text2));
read.lixSaved = i.nr1;
read.skillsUsed = i.nr2;
read.updatesUsed = Update(i.nr3);
Result* old = (fn in results);
if (! old || *old < read)
results[fn] = read;
}
else if (auto opt = i.text1 in _optvecLoad)
opt.set(i);
// Backwards compatibility: Before 0.6.2, I had hacked in two hotkeys
// for pause that saved to different variables. Load this other var.
else if (i.nr1 != 0 && i.text1 == "KEY_PAUSE2")
keyPause.value = KeySet(keyPause.value, KeySet(i.nr1));
}
}
nothrow void save()
{
if (userName == null) {
log("User name is empty. User configuration will not be saved.");
return;
}
else if (userName.escapeStringForFilename == null) {
log("Can't save user configuration for user `" ~ "':");
log(" -> None of these characters are allowed in filenames.");
}
try {
auto f = userFileName.openForWriting();
foreach (opt; _optvecSave)
f.writeln(opt.ioLine);
f.writeln();
foreach (key, r; results)
f.writeln(IoLine.Angle(key.rootless,
r.lixSaved, r.skillsUsed, r.updatesUsed, r.built.toString));
}
catch (Exception e) {
log("Can't save user configuration for `" ~ userName ~ "':");
log(" -> " ~ e.msg);
}
}
| D |
/**
* Module for supporting cursor and color manipulation on the console.
*
* The main interface for this module is the Terminal struct, which
* encapsulates the functions of the terminal. Creating an instance of
* this struct will perform console initialization; when the struct
* goes out of scope, any changes in console settings will be automatically
* reverted.
*
* Note: on Posix, it traps SIGINT and translates it into an input event. You should
* keep your event loop moving and keep an eye open for this to exit cleanly; simply break
* your event loop upon receiving a UserInterruptionEvent. (Without
* the signal handler, ctrl+c can leave your terminal in a bizarre state.)
*
* As a user, if you have to forcibly kill your program and the event doesn't work, there's still ctrl+\
*/
module terminal;
// FIXME: http://msdn.microsoft.com/en-us/library/windows/desktop/ms686016%28v=vs.85%29.aspx
version(linux)
enum SIGWINCH = 28; // FIXME: confirm this is correct on other posix
version(Posix) {
__gshared bool windowSizeChanged = false;
__gshared bool interrupted = false;
version(with_eventloop)
struct SignalFired {}
extern(C)
void sizeSignalHandler(int sigNumber) nothrow {
windowSizeChanged = true;
version(with_eventloop) {
import arsd.eventloop;
try
send(SignalFired());
catch(Exception) {}
}
}
extern(C)
void interruptSignalHandler(int sigNumber) nothrow {
interrupted = true;
version(with_eventloop) {
import arsd.eventloop;
try
send(SignalFired());
catch(Exception) {}
}
}
}
// parts of this were taken from Robik's ConsoleD
// https://github.com/robik/ConsoleD/blob/master/consoled.d
// Uncomment this line to get a main() to demonstrate this module's
// capabilities.
//version = Demo
version(Windows) {
import core.sys.windows.windows;
import std.string : toStringz;
private {
enum RED_BIT = 4;
enum GREEN_BIT = 2;
enum BLUE_BIT = 1;
}
}
version(Posix) {
import core.sys.posix.termios;
import core.sys.posix.unistd;
import unix = core.sys.posix.unistd;
import core.sys.posix.sys.types;
import core.sys.posix.sys.time;
import core.stdc.stdio;
private {
enum RED_BIT = 1;
enum GREEN_BIT = 2;
enum BLUE_BIT = 4;
}
extern(C) int ioctl(int, int, ...);
enum int TIOCGWINSZ = 0x5413;
struct winsize {
ushort ws_row;
ushort ws_col;
ushort ws_xpixel;
ushort ws_ypixel;
}
// I'm taking this from the minimal termcap from my Slackware box (which I use as my /etc/termcap) and just taking the most commonly used ones (for me anyway).
// this way we'll have some definitions for 99% of typical PC cases even without any help from the local operating system
enum string builtinTermcap = `
# Generic VT entry.
vg|vt-generic|Generic VT entries:\
:bs:mi:ms:pt:xn:xo:it#8:\
:RA=\E[?7l:SA=\E?7h:\
:bl=^G:cr=^M:ta=^I:\
:cm=\E[%i%d;%dH:\
:le=^H:up=\E[A:do=\E[B:nd=\E[C:\
:LE=\E[%dD:RI=\E[%dC:UP=\E[%dA:DO=\E[%dB:\
:ho=\E[H:cl=\E[H\E[2J:ce=\E[K:cb=\E[1K:cd=\E[J:sf=\ED:sr=\EM:\
:ct=\E[3g:st=\EH:\
:cs=\E[%i%d;%dr:sc=\E7:rc=\E8:\
:ei=\E[4l:ic=\E[@:IC=\E[%d@:al=\E[L:AL=\E[%dL:\
:dc=\E[P:DC=\E[%dP:dl=\E[M:DL=\E[%dM:\
:so=\E[7m:se=\E[m:us=\E[4m:ue=\E[m:\
:mb=\E[5m:mh=\E[2m:md=\E[1m:mr=\E[7m:me=\E[m:\
:sc=\E7:rc=\E8:kb=\177:\
:ku=\E[A:kd=\E[B:kr=\E[C:kl=\E[D:
# Slackware 3.1 linux termcap entry (Sat Apr 27 23:03:58 CDT 1996):
lx|linux|console|con80x25|LINUX System Console:\
:do=^J:co#80:li#25:cl=\E[H\E[J:sf=\ED:sb=\EM:\
:le=^H:bs:am:cm=\E[%i%d;%dH:nd=\E[C:up=\E[A:\
:ce=\E[K:cd=\E[J:so=\E[7m:se=\E[27m:us=\E[36m:ue=\E[m:\
:md=\E[1m:mr=\E[7m:mb=\E[5m:me=\E[m:is=\E[1;25r\E[25;1H:\
:ll=\E[1;25r\E[25;1H:al=\E[L:dc=\E[P:dl=\E[M:\
:it#8:ku=\E[A:kd=\E[B:kr=\E[C:kl=\E[D:kb=^H:ti=\E[r\E[H:\
:ho=\E[H:kP=\E[5~:kN=\E[6~:kH=\E[4~:kh=\E[1~:kD=\E[3~:kI=\E[2~:\
:k1=\E[[A:k2=\E[[B:k3=\E[[C:k4=\E[[D:k5=\E[[E:k6=\E[17~:\
:k7=\E[18~:k8=\E[19~:k9=\E[20~:k0=\E[21~:K1=\E[1~:K2=\E[5~:\
:K4=\E[4~:K5=\E[6~:\
:pt:sr=\EM:vt#3:xn:km:bl=^G:vi=\E[?25l:ve=\E[?25h:vs=\E[?25h:\
:sc=\E7:rc=\E8:cs=\E[%i%d;%dr:\
:r1=\Ec:r2=\Ec:r3=\Ec:
# Some other, commonly used linux console entries.
lx|con80x28:co#80:li#28:tc=linux:
lx|con80x43:co#80:li#43:tc=linux:
lx|con80x50:co#80:li#50:tc=linux:
lx|con100x37:co#100:li#37:tc=linux:
lx|con100x40:co#100:li#40:tc=linux:
lx|con132x43:co#132:li#43:tc=linux:
# vt102 - vt100 + insert line etc. VT102 does not have insert character.
v2|vt102|DEC vt102 compatible:\
:co#80:li#24:\
:ic@:IC@:\
:is=\E[m\E[?1l\E>:\
:rs=\E[m\E[?1l\E>:\
:eA=\E)0:as=^N:ae=^O:ac=aaffggjjkkllmmnnooqqssttuuvvwwxx:\
:ks=:ke=:\
:k1=\EOP:k2=\EOQ:k3=\EOR:k4=\EOS:\
:tc=vt-generic:
# vt100 - really vt102 without insert line, insert char etc.
vt|vt100|DEC vt100 compatible:\
:im@:mi@:al@:dl@:ic@:dc@:AL@:DL@:IC@:DC@:\
:tc=vt102:
# Entry for an xterm. Insert mode has been disabled.
vs|xterm|xterm-color|vs100|xterm terminal emulator (X Window System):\
:am:bs:mi@:km:co#80:li#55:\
:im@:ei@:\
:ct=\E[3k:ue=\E[m:\
:is=\E[m\E[?1l\E>:\
:rs=\E[m\E[?1l\E>:\
:vi=\E[?25l:ve=\E[?25h:\
:eA=\E)0:as=^N:ae=^O:ac=aaffggjjkkllmmnnooqqssttuuvvwwxx:\
:kI=\E[2~:kD=\E[3~:kP=\E[5~:kN=\E[6~:\
:k1=\EOP:k2=\EOQ:k3=\EOR:k4=\EOS:k5=\E[15~:\
:k6=\E[17~:k7=\E[18~:k8=\E[19~:k9=\E[20~:k0=\E[21~:\
:F1=\E[23~:F2=\E[24~:\
:kh=\E[H:kH=\E[F:\
:ks=:ke=:\
:te=\E[2J\E[?47l\E8:ti=\E7\E[?47h:\
:tc=vt-generic:
#rxvt, added by me
rxvt|rxvt-unicode:\
:am:bs:mi@:km:co#80:li#55:\
:im@:ei@:\
:ct=\E[3k:ue=\E[m:\
:is=\E[m\E[?1l\E>:\
:rs=\E[m\E[?1l\E>:\
:vi=\E[?25l:\
:ve=\E[?25h:\
:eA=\E)0:as=^N:ae=^O:ac=aaffggjjkkllmmnnooqqssttuuvvwwxx:\
:kI=\E[2~:kD=\E[3~:kP=\E[5~:kN=\E[6~:\
:k1=\E[11~:k2=\E[12~:k3=\E[13~:k4=\E[14~:k5=\E[15~:\
:k6=\E[17~:k7=\E[18~:k8=\E[19~:k9=\E[20~:k0=\E[21~:\
:F1=\E[23~:F2=\E[24~:\
:kh=\E[7~:kH=\E[8~:\
:ks=:ke=:\
:te=\E[2J\E[?47l\E8:ti=\E7\E[?47h:\
:tc=vt-generic:
# Some other entries for the same xterm.
v2|xterms|vs100s|xterm small window:\
:co#80:li#24:tc=xterm:
vb|xterm-bold|xterm with bold instead of underline:\
:us=\E[1m:tc=xterm:
vi|xterm-ins|xterm with insert mode:\
:mi:im=\E[4h:ei=\E[4l:tc=xterm:
Eterm|Eterm Terminal Emulator (X11 Window System):\
:am:bw:eo:km:mi:ms:xn:xo:\
:co#80:it#8:li#24:lm#0:pa#64:Co#8:AF=\E[3%dm:AB=\E[4%dm:op=\E[39m\E[49m:\
:AL=\E[%dL:DC=\E[%dP:DL=\E[%dM:DO=\E[%dB:IC=\E[%d@:\
:K1=\E[7~:K2=\EOu:K3=\E[5~:K4=\E[8~:K5=\E[6~:LE=\E[%dD:\
:RI=\E[%dC:UP=\E[%dA:ae=^O:al=\E[L:as=^N:bl=^G:cd=\E[J:\
:ce=\E[K:cl=\E[H\E[2J:cm=\E[%i%d;%dH:cr=^M:\
:cs=\E[%i%d;%dr:ct=\E[3g:dc=\E[P:dl=\E[M:do=\E[B:\
:ec=\E[%dX:ei=\E[4l:ho=\E[H:i1=\E[?47l\E>\E[?1l:ic=\E[@:\
:im=\E[4h:is=\E[r\E[m\E[2J\E[H\E[?7h\E[?1;3;4;6l\E[4l:\
:k1=\E[11~:k2=\E[12~:k3=\E[13~:k4=\E[14~:k5=\E[15~:\
:k6=\E[17~:k7=\E[18~:k8=\E[19~:k9=\E[20~:kD=\E[3~:\
:kI=\E[2~:kN=\E[6~:kP=\E[5~:kb=^H:kd=\E[B:ke=:kh=\E[7~:\
:kl=\E[D:kr=\E[C:ks=:ku=\E[A:le=^H:mb=\E[5m:md=\E[1m:\
:me=\E[m\017:mr=\E[7m:nd=\E[C:rc=\E8:\
:sc=\E7:se=\E[27m:sf=^J:so=\E[7m:sr=\EM:st=\EH:ta=^I:\
:te=\E[2J\E[?47l\E8:ti=\E7\E[?47h:ue=\E[24m:up=\E[A:\
:us=\E[4m:vb=\E[?5h\E[?5l:ve=\E[?25h:vi=\E[?25l:\
:ac=``aaffggiijjkkllmmnnooppqqrrssttuuvvwwxxyyzz{{||}}~~:
# DOS terminal emulator such as Telix or TeleMate.
# This probably also works for the SCO console, though it's incomplete.
an|ansi|ansi-bbs|ANSI terminals (emulators):\
:co#80:li#24:am:\
:is=:rs=\Ec:kb=^H:\
:as=\E[m:ae=:eA=:\
:ac=0\333+\257,\256.\031-\030a\261f\370g\361j\331k\277l\332m\300n\305q\304t\264u\303v\301w\302x\263~\025:\
:kD=\177:kH=\E[Y:kN=\E[U:kP=\E[V:kh=\E[H:\
:k1=\EOP:k2=\EOQ:k3=\EOR:k4=\EOS:k5=\EOT:\
:k6=\EOU:k7=\EOV:k8=\EOW:k9=\EOX:k0=\EOY:\
:tc=vt-generic:
`;
}
enum Bright = 0x08;
/// Defines the list of standard colors understood by Terminal.
enum Color : ushort {
black = 0, /// .
red = RED_BIT, /// .
green = GREEN_BIT, /// .
yellow = red | green, /// .
blue = BLUE_BIT, /// .
magenta = red | blue, /// .
cyan = blue | green, /// .
white = red | green | blue, /// .
DEFAULT = 256,
}
/// When capturing input, what events are you interested in?
///
/// Note: these flags can be OR'd together to select more than one option at a time.
///
/// Ctrl+C and other keyboard input is always captured, though it may be line buffered if you don't use raw.
enum ConsoleInputFlags {
raw = 0, /// raw input returns keystrokes immediately, without line buffering
echo = 1, /// do you want to automatically echo input back to the user?
mouse = 2, /// capture mouse events
paste = 4, /// capture paste events (note: without this, paste can come through as keystrokes)
size = 8, /// window resize events
allInputEvents = 8|4|2, /// subscribe to all input events.
}
/// Defines how terminal output should be handled.
enum ConsoleOutputType {
linear = 0, /// do you want output to work one line at a time?
cellular = 1, /// or do you want access to the terminal screen as a grid of characters?
//truncatedCellular = 3, /// cellular, but instead of wrapping output to the next line automatically, it will truncate at the edges
minimalProcessing = 255, /// do the least possible work, skips most construction and desturction tasks. Only use if you know what you're doing here
}
/// Some methods will try not to send unnecessary commands to the screen. You can override their judgement using a ForceOption parameter, if present
enum ForceOption {
automatic = 0, /// automatically decide what to do (best, unless you know for sure it isn't right)
neverSend = -1, /// never send the data. This will only update Terminal's internal state. Use with caution because this can
alwaysSend = 1, /// always send the data, even if it doesn't seem necessary
}
// we could do it with termcap too, getenv("TERMCAP") then split on : and replace \E with \033 and get the pieces
/// Encapsulates the I/O capabilities of a terminal.
///
/// Warning: do not write out escape sequences to the terminal. This won't work
/// on Windows and will confuse Terminal's internal state on Posix.
struct Terminal {
@disable this();
@disable this(this);
private ConsoleOutputType type;
version(Posix) {
private int fdOut;
private int fdIn;
private int[] delegate() getSizeOverride;
}
version(Posix) {
bool terminalInFamily(string[] terms...) {
import std.process;
import std.string;
auto term = environment.get("TERM");
foreach(t; terms)
if(indexOf(term, t) != -1)
return true;
return false;
}
static string[string] termcapDatabase;
static void readTermcapFile(bool useBuiltinTermcap = false) {
import std.file;
import std.stdio;
import std.string;
if(!exists("/etc/termcap"))
useBuiltinTermcap = true;
string current;
void commitCurrentEntry() {
if(current is null)
return;
string names = current;
auto idx = indexOf(names, ":");
if(idx != -1)
names = names[0 .. idx];
foreach(name; split(names, "|"))
termcapDatabase[name] = current;
current = null;
}
void handleTermcapLine(in char[] line) {
if(line.length == 0) { // blank
commitCurrentEntry();
return; // continue
}
if(line[0] == '#') // comment
return; // continue
size_t termination = line.length;
if(line[$-1] == '\\')
termination--; // cut off the \\
current ~= strip(line[0 .. termination]);
// termcap entries must be on one logical line, so if it isn't continued, we know we're done
if(line[$-1] != '\\')
commitCurrentEntry();
}
if(useBuiltinTermcap) {
foreach(line; splitLines(builtinTermcap)) {
handleTermcapLine(line);
}
} else {
foreach(line; File("/etc/termcap").byLine()) {
handleTermcapLine(line);
}
}
}
static string getTermcapDatabase(string terminal) {
import std.string;
if(termcapDatabase is null)
readTermcapFile();
auto data = terminal in termcapDatabase;
if(data is null)
return null;
auto tc = *data;
auto more = indexOf(tc, ":tc=");
if(more != -1) {
auto tcKey = tc[more + ":tc=".length .. $];
auto end = indexOf(tcKey, ":");
if(end != -1)
tcKey = tcKey[0 .. end];
tc = getTermcapDatabase(tcKey) ~ tc;
}
return tc;
}
string[string] termcap;
void readTermcap() {
import std.process;
import std.string;
import std.array;
string termcapData = environment.get("TERMCAP");
if(termcapData.length == 0) {
termcapData = getTermcapDatabase(environment.get("TERM"));
}
auto e = replace(termcapData, "\\\n", "\n");
termcap = null;
foreach(part; split(e, ":")) {
// FIXME: handle numeric things too
auto things = split(part, "=");
if(things.length)
termcap[things[0]] =
things.length > 1 ? things[1] : null;
}
}
string findSequenceInTermcap(in char[] sequenceIn) {
char[10] sequenceBuffer;
char[] sequence;
if(sequenceIn.length > 0 && sequenceIn[0] == '\033') {
if(!(sequenceIn.length < sequenceBuffer.length - 1))
return null;
sequenceBuffer[1 .. sequenceIn.length + 1] = sequenceIn[];
sequenceBuffer[0] = '\\';
sequenceBuffer[1] = 'E';
sequence = sequenceBuffer[0 .. sequenceIn.length + 1];
} else {
sequence = sequenceBuffer[1 .. sequenceIn.length + 1];
}
import std.array;
foreach(k, v; termcap)
if(v == sequence)
return k;
return null;
}
string getTermcap(string key) {
auto k = key in termcap;
if(k !is null) return *k;
return null;
}
// Looks up a termcap item and tries to execute it. Returns false on failure
bool doTermcap(T...)(string key, T t) {
import std.conv;
auto fs = getTermcap(key);
if(fs is null)
return false;
int swapNextTwo = 0;
R getArg(R)(int idx) {
if(swapNextTwo == 2) {
idx ++;
swapNextTwo--;
} else if(swapNextTwo == 1) {
idx --;
swapNextTwo--;
}
foreach(i, arg; t) {
if(i == idx)
return to!R(arg);
}
assert(0, to!string(idx) ~ " is out of bounds working " ~ fs);
}
char[256] buffer;
int bufferPos = 0;
void addChar(char c) {
import std.exception;
enforce(bufferPos < buffer.length);
buffer[bufferPos++] = c;
}
void addString(in char[] c) {
import std.exception;
enforce(bufferPos + c.length < buffer.length);
buffer[bufferPos .. bufferPos + c.length] = c[];
bufferPos += c.length;
}
void addInt(int c, int minSize) {
import std.string;
auto str = format("%0"~(minSize ? to!string(minSize) : "")~"d", c);
addString(str);
}
bool inPercent;
int argPosition = 0;
int incrementParams = 0;
bool skipNext;
bool nextIsChar;
bool inBackslash;
foreach(char c; fs) {
if(inBackslash) {
if(c == 'E')
addChar('\033');
else
addChar(c);
inBackslash = false;
} else if(nextIsChar) {
if(skipNext)
skipNext = false;
else
addChar(cast(char) (c + getArg!int(argPosition) + (incrementParams ? 1 : 0)));
if(incrementParams) incrementParams--;
argPosition++;
inPercent = false;
} else if(inPercent) {
switch(c) {
case '%':
addChar('%');
inPercent = false;
break;
case '2':
case '3':
case 'd':
if(skipNext)
skipNext = false;
else
addInt(getArg!int(argPosition) + (incrementParams ? 1 : 0),
c == 'd' ? 0 : (c - '0')
);
if(incrementParams) incrementParams--;
argPosition++;
inPercent = false;
break;
case '.':
if(skipNext)
skipNext = false;
else
addChar(cast(char) (getArg!int(argPosition) + (incrementParams ? 1 : 0)));
if(incrementParams) incrementParams--;
argPosition++;
break;
case '+':
nextIsChar = true;
inPercent = false;
break;
case 'i':
incrementParams = 2;
inPercent = false;
break;
case 's':
skipNext = true;
inPercent = false;
break;
case 'b':
argPosition--;
inPercent = false;
break;
case 'r':
swapNextTwo = 2;
inPercent = false;
break;
// FIXME: there's more
// http://www.gnu.org/software/termutils/manual/termcap-1.3/html_mono/termcap.html
default:
assert(0, "not supported " ~ c);
}
} else {
if(c == '%')
inPercent = true;
else if(c == '\\')
inBackslash = true;
else
addChar(c);
}
}
writeStringRaw(buffer[0 .. bufferPos]);
return true;
}
}
version(Posix)
/**
* Constructs an instance of Terminal representing the capabilities of
* the current terminal.
*
* While it is possible to override the stdin+stdout file descriptors, remember
* that is not portable across platforms and be sure you know what you're doing.
*
* ditto on getSizeOverride. That's there so you can do something instead of ioctl.
*/
this(ConsoleOutputType type, int fdIn = 0, int fdOut = 1, int[] delegate() getSizeOverride = null) {
this.fdIn = fdIn;
this.fdOut = fdOut;
this.getSizeOverride = getSizeOverride;
this.type = type;
readTermcap();
if(type == ConsoleOutputType.minimalProcessing) {
_suppressDestruction = true;
return;
}
if(type == ConsoleOutputType.cellular) {
doTermcap("ti");
moveTo(0, 0, ForceOption.alwaysSend); // we need to know where the cursor is for some features to work, and moving it is easier than querying it
}
if(terminalInFamily("xterm", "rxvt", "screen")) {
writeStringRaw("\033[22;0t"); // save window title on a stack (support seems spotty, but it doesn't hurt to have it)
}
}
version(Windows)
HANDLE hConsole;
version(Windows)
/// ditto
this(ConsoleOutputType type) {
hConsole = GetStdHandle(STD_OUTPUT_HANDLE);
if(type == ConsoleOutputType.cellular) {
/*
http://msdn.microsoft.com/en-us/library/windows/desktop/ms686125%28v=vs.85%29.aspx
http://msdn.microsoft.com/en-us/library/windows/desktop/ms683193%28v=vs.85%29.aspx
*/
COORD size;
/*
CONSOLE_SCREEN_BUFFER_INFO sbi;
GetConsoleScreenBufferInfo(hConsole, &sbi);
size.X = cast(short) GetSystemMetrics(SM_CXMIN);
size.Y = cast(short) GetSystemMetrics(SM_CYMIN);
*/
// FIXME: this sucks, maybe i should just revert it. but there shouldn't be scrollbars in cellular mode
size.X = 80;
size.Y = 24;
SetConsoleScreenBufferSize(hConsole, size);
moveTo(0, 0, ForceOption.alwaysSend); // we need to know where the cursor is for some features to work, and moving it is easier than querying it
}
}
// only use this if you are sure you know what you want, since the terminal is a shared resource you generally really want to reset it to normal when you leave...
bool _suppressDestruction;
version(Posix)
~this() {
if(_suppressDestruction) {
flush();
return;
}
if(type == ConsoleOutputType.cellular) {
doTermcap("te");
}
if(terminalInFamily("xterm", "rxvt", "screen")) {
writeStringRaw("\033[23;0t"); // restore window title from the stack
}
showCursor();
reset();
flush();
}
version(Windows)
~this() {
reset();
flush();
showCursor();
}
int _currentForeground = Color.DEFAULT;
int _currentBackground = Color.DEFAULT;
bool reverseVideo = false;
/// Changes the current color. See enum Color for the values.
void color(int foreground, int background, ForceOption force = ForceOption.automatic, bool reverseVideo = false) {
if(force != ForceOption.neverSend) {
version(Windows) {
// assuming a dark background on windows, so LowContrast == dark which means the bit is NOT set on hardware
/*
foreground ^= LowContrast;
background ^= LowContrast;
*/
ushort setTof = cast(ushort) foreground;
ushort setTob = cast(ushort) background;
// this isn't necessarily right but meh
if(background == Color.DEFAULT)
setTob = Color.black;
if(foreground == Color.DEFAULT)
setTof = Color.white;
if(force == ForceOption.alwaysSend || reverseVideo != this.reverseVideo || foreground != _currentForeground || background != _currentBackground) {
flush(); // if we don't do this now, the buffering can screw up the colors...
if(reverseVideo) {
if(background == Color.DEFAULT)
setTof = Color.black;
else
setTof = cast(ushort) background | (foreground & Bright);
if(background == Color.DEFAULT)
setTob = Color.white;
else
setTob = cast(ushort) (foreground & ~Bright);
}
SetConsoleTextAttribute(
GetStdHandle(STD_OUTPUT_HANDLE),
cast(ushort)((setTob << 4) | setTof));
}
} else {
import std.process;
// I started using this envvar for my text editor, but now use it elsewhere too
// if we aren't set to dark, assume light
/*
if(getenv("ELVISBG") == "dark") {
// LowContrast on dark bg menas
} else {
foreground ^= LowContrast;
background ^= LowContrast;
}
*/
ushort setTof = cast(ushort) foreground & ~Bright;
ushort setTob = cast(ushort) background & ~Bright;
if(foreground & Color.DEFAULT)
setTof = 9; // ansi sequence for reset
if(background == Color.DEFAULT)
setTob = 9;
import std.string;
if(force == ForceOption.alwaysSend || reverseVideo != this.reverseVideo || foreground != _currentForeground || background != _currentBackground) {
writeStringRaw(format("\033[%dm\033[3%dm\033[4%dm\033[%dm",
(foreground != Color.DEFAULT && (foreground & Bright)) ? 1 : 0,
cast(int) setTof,
cast(int) setTob,
reverseVideo ? 7 : 27
));
}
}
}
_currentForeground = foreground;
_currentBackground = background;
this.reverseVideo = reverseVideo;
}
/// Returns the terminal to normal output colors
void reset() {
version(Windows)
SetConsoleTextAttribute(
GetStdHandle(STD_OUTPUT_HANDLE),
cast(ushort)((Color.black << 4) | Color.white));
else
writeStringRaw("\033[0m");
}
// FIXME: add moveRelative
/// The current x position of the output cursor. 0 == leftmost column
@property int cursorX() {
return _cursorX;
}
/// The current y position of the output cursor. 0 == topmost row
@property int cursorY() {
return _cursorY;
}
private int _cursorX;
private int _cursorY;
/// Moves the output cursor to the given position. (0, 0) is the upper left corner of the screen. The force parameter can be used to force an update, even if Terminal doesn't think it is necessary
void moveTo(int x, int y, ForceOption force = ForceOption.automatic) {
if(force != ForceOption.neverSend && (force == ForceOption.alwaysSend || x != _cursorX || y != _cursorY)) {
version(Posix)
doTermcap("cm", y, x);
else version(Windows) {
flush(); // if we don't do this now, the buffering can screw up the position
COORD coord = {cast(short) x, cast(short) y};
SetConsoleCursorPosition(hConsole, coord);
} else static assert(0);
}
_cursorX = x;
_cursorY = y;
}
/// shows the cursor
void showCursor() {
version(Posix)
doTermcap("ve");
else {
CONSOLE_CURSOR_INFO info;
GetConsoleCursorInfo(hConsole, &info);
info.bVisible = true;
SetConsoleCursorInfo(hConsole, &info);
}
}
/// hides the cursor
void hideCursor() {
version(Posix) {
doTermcap("vi");
} else {
CONSOLE_CURSOR_INFO info;
GetConsoleCursorInfo(hConsole, &info);
info.bVisible = false;
SetConsoleCursorInfo(hConsole, &info);
}
}
/*
// alas this doesn't work due to a bunch of delegate context pointer and postblit problems
// instead of using: auto input = terminal.captureInput(flags)
// use: auto input = RealTimeConsoleInput(&terminal, flags);
/// Gets real time input, disabling line buffering
RealTimeConsoleInput captureInput(ConsoleInputFlags flags) {
return RealTimeConsoleInput(&this, flags);
}
*/
/// Changes the terminal's title
void setTitle(string t) {
version(Windows) {
SetConsoleTitleA(toStringz(t));
} else {
import std.string;
if(terminalInFamily("xterm", "rxvt", "screen"))
writeStringRaw(format("\033]0;%s\007", t));
}
}
/// Flushes your updates to the terminal.
/// It is important to call this when you are finished writing for now if you are using the version=with_eventloop
void flush() {
version(Posix) {
ssize_t written;
while(writeBuffer.length) {
written = unix.write(this.fdOut, writeBuffer.ptr, writeBuffer.length);
if(written < 0)
throw new Exception("write failed for some reason");
writeBuffer = writeBuffer[written .. $];
}
} else version(Windows) {
while(writeBuffer.length) {
DWORD written;
/* FIXME: WriteConsoleW */
WriteConsoleA(hConsole, writeBuffer.ptr, writeBuffer.length, &written, null);
writeBuffer = writeBuffer[written .. $];
}
}
// not buffering right now on Windows, since it probably isn't on ssh anyway
}
int[] getSize() {
version(Windows) {
CONSOLE_SCREEN_BUFFER_INFO info;
GetConsoleScreenBufferInfo( hConsole, &info );
int cols, rows;
cols = (info.srWindow.Right - info.srWindow.Left + 1);
rows = (info.srWindow.Bottom - info.srWindow.Top + 1);
return [cols, rows];
} else {
if(getSizeOverride is null) {
winsize w;
ioctl(0, TIOCGWINSZ, &w);
return [w.ws_col, w.ws_row];
} else return getSizeOverride();
}
}
void updateSize() {
auto size = getSize();
_width = size[0];
_height = size[1];
}
private int _width;
private int _height;
/// The current width of the terminal (the number of columns)
@property int width() {
if(_width == 0 || _height == 0)
updateSize();
return _width;
}
/// The current height of the terminal (the number of rows)
@property int height() {
if(_width == 0 || _height == 0)
updateSize();
return _height;
}
/*
void write(T...)(T t) {
foreach(arg; t) {
writeStringRaw(to!string(arg));
}
}
*/
/// Writes to the terminal at the current cursor position.
void writef(T...)(string f, T t) {
import std.string;
writePrintableString(format(f, t));
}
/// ditto
void writefln(T...)(string f, T t) {
writef(f ~ "\n", t);
}
/// ditto
void write(T...)(T t) {
import std.conv;
string data;
foreach(arg; t) {
data ~= to!string(arg);
}
writePrintableString(data);
}
/// ditto
void writeln(T...)(T t) {
write(t, "\n");
}
/+
/// A combined moveTo and writef that puts the cursor back where it was before when it finishes the write.
/// Only works in cellular mode.
/// Might give better performance than moveTo/writef because if the data to write matches the internal buffer, it skips sending anything (to override the buffer check, you can use moveTo and writePrintableString with ForceOption.alwaysSend)
void writefAt(T...)(int x, int y, string f, T t) {
import std.string;
auto toWrite = format(f, t);
auto oldX = _cursorX;
auto oldY = _cursorY;
writeAtWithoutReturn(x, y, toWrite);
moveTo(oldX, oldY);
}
void writeAtWithoutReturn(int x, int y, in char[] data) {
moveTo(x, y);
writeStringRaw(toWrite, ForceOption.alwaysSend);
}
+/
void writePrintableString(in char[] s, ForceOption force = ForceOption.automatic) {
// an escape character is going to mess things up. Actually any non-printable character could, but meh
// assert(s.indexOf("\033") == -1);
// tracking cursor position
foreach(ch; s) {
switch(ch) {
case '\n':
_cursorX = 0;
_cursorY++;
break;
case '\t':
_cursorX ++;
_cursorX += _cursorX % 8; // FIXME: get the actual tabstop, if possible
break;
default:
_cursorX++;
}
if(_wrapAround && _cursorX > width) {
_cursorX = 0;
_cursorY++;
}
if(_cursorY == height)
_cursorY--;
/+
auto index = getIndex(_cursorX, _cursorY);
if(data[index] != ch) {
data[index] = ch;
}
+/
}
writeStringRaw(s);
}
/* private */ bool _wrapAround = true;
deprecated alias writePrintableString writeString; /// use write() or writePrintableString instead
private string writeBuffer;
// you really, really shouldn't use this unless you know what you are doing
/*private*/ void writeStringRaw(in char[] s) {
// FIXME: make sure all the data is sent, check for errors
version(Posix) {
writeBuffer ~= s; // buffer it to do everything at once in flush() calls
} else version(Windows) {
writeBuffer ~= s;
} else static assert(0);
}
/// Clears the screen.
void clear() {
version(Posix) {
doTermcap("cl");
} else version(Windows) {
// TBD: copy the code from here and test it:
// http://support.microsoft.com/kb/99261
assert(0, "clear not yet implemented");
}
_cursorX = 0;
_cursorY = 0;
}
}
/+
struct ConsoleBuffer {
int cursorX;
int cursorY;
int width;
int height;
dchar[] data;
void actualize(Terminal* t) {
auto writer = t.getBufferedWriter();
this.copyTo(&(t.onScreen));
}
void copyTo(ConsoleBuffer* buffer) {
buffer.cursorX = this.cursorX;
buffer.cursorY = this.cursorY;
buffer.width = this.width;
buffer.height = this.height;
buffer.data[] = this.data[];
}
}
+/
/**
* Encapsulates the stream of input events received from the terminal input.
*/
struct RealTimeConsoleInput {
@disable this();
@disable this(this);
version(Posix) {
private int fdOut;
private int fdIn;
private sigaction_t oldSigWinch;
private sigaction_t oldSigIntr;
private termios old;
ubyte[128] hack;
// apparently termios isn't the size druntime thinks it is (at least on 32 bit, sometimes)....
// tcgetattr smashed other variables in here too that could create random problems
// so this hack is just to give some room for that to happen without destroying the rest of the world
}
version(Windows) {
private DWORD oldInput;
private DWORD oldOutput;
HANDLE inputHandle;
}
private ConsoleInputFlags flags;
private Terminal* terminal;
private void delegate()[] destructor;
/// To capture input, you need to provide a terminal and some flags.
public this(Terminal* terminal, ConsoleInputFlags flags) {
this.flags = flags;
this.terminal = terminal;
version(Windows) {
inputHandle = GetStdHandle(STD_INPUT_HANDLE);
GetConsoleMode(inputHandle, &oldInput);
DWORD mode = 0;
mode |= ENABLE_PROCESSED_INPUT /* 0x01 */; // this gives Ctrl+C which we probably want to be similar to linux
//if(flags & ConsoleInputFlags.size)
mode |= ENABLE_WINDOW_INPUT /* 0208 */; // gives size etc
if(flags & ConsoleInputFlags.echo)
mode |= ENABLE_ECHO_INPUT; // 0x4
if(flags & ConsoleInputFlags.mouse)
mode |= ENABLE_MOUSE_INPUT; // 0x10
// if(flags & ConsoleInputFlags.raw) // FIXME: maybe that should be a separate flag for ENABLE_LINE_INPUT
SetConsoleMode(inputHandle, mode);
destructor ~= { SetConsoleMode(inputHandle, oldInput); };
GetConsoleMode(terminal.hConsole, &oldOutput);
mode = 0;
// we want this to match linux too
mode |= ENABLE_PROCESSED_OUTPUT; /* 0x01 */
mode |= ENABLE_WRAP_AT_EOL_OUTPUT; /* 0x02 */
SetConsoleMode(terminal.hConsole, mode);
destructor ~= { SetConsoleMode(terminal.hConsole, oldOutput); };
// FIXME: change to UTF8 as well
}
version(Posix) {
this.fdIn = terminal.fdIn;
this.fdOut = terminal.fdOut;
if(fdIn != -1) {
tcgetattr(fdIn, &old);
auto n = old;
auto f = ICANON;
if(!(flags & ConsoleInputFlags.echo))
f |= ECHO;
n.c_lflag &= ~f;
tcsetattr(fdIn, TCSANOW, &n);
}
// some weird bug breaks this, https://github.com/robik/ConsoleD/issues/3
//destructor ~= { tcsetattr(fdIn, TCSANOW, &old); };
if(flags & ConsoleInputFlags.size) {
import core.sys.posix.signal;
sigaction_t n;
n.sa_handler = &sizeSignalHandler;
n.sa_mask = cast(sigset_t) 0;
n.sa_flags = 0;
sigaction(SIGWINCH, &n, &oldSigWinch);
}
{
import core.sys.posix.signal;
sigaction_t n;
n.sa_handler = &interruptSignalHandler;
n.sa_mask = cast(sigset_t) 0;
n.sa_flags = 0;
sigaction(SIGINT, &n, &oldSigIntr);
}
if(flags & ConsoleInputFlags.mouse) {
// basic button press+release notification
// FIXME: try to get maximum capabilities from all terminals
// right now this works well on xterm but rxvt isn't sending movements...
terminal.writeStringRaw("\033[?1000h");
destructor ~= { terminal.writeStringRaw("\033[?1000l"); };
if(terminal.terminalInFamily("xterm")) {
// this is vt200 mouse with full motion tracking, supported by xterm
terminal.writeStringRaw("\033[?1003h");
destructor ~= { terminal.writeStringRaw("\033[?1003l"); };
} else if(terminal.terminalInFamily("rxvt", "screen")) {
terminal.writeStringRaw("\033[?1002h"); // this is vt200 mouse with press/release and motion notification iff buttons are pressed
destructor ~= { terminal.writeStringRaw("\033[?1002l"); };
}
}
if(flags & ConsoleInputFlags.paste) {
if(terminal.terminalInFamily("xterm", "rxvt", "screen")) {
terminal.writeStringRaw("\033[?2004h"); // bracketed paste mode
destructor ~= { terminal.writeStringRaw("\033[?2004l"); };
}
}
// try to ensure the terminal is in UTF-8 mode
if(terminal.terminalInFamily("xterm", "screen", "linux")) {
terminal.writeStringRaw("\033%G");
}
terminal.flush();
}
version(with_eventloop) {
import arsd.eventloop;
version(Windows)
auto listenTo = inputHandle;
else version(Posix)
auto listenTo = this.fdIn;
else static assert(0, "idk about this OS");
version(Posix)
addListener(&signalFired);
if(listenTo != -1) {
addFileEventListeners(listenTo, &eventListener, null, null);
destructor ~= { removeFileEventListeners(listenTo); };
}
addOnIdle(&terminal.flush);
destructor ~= { removeOnIdle(&terminal.flush); };
}
}
version(with_eventloop) {
version(Posix)
void signalFired(SignalFired) {
if(interrupted) {
interrupted = false;
send(InputEvent(UserInterruptionEvent()));
}
if(windowSizeChanged)
send(checkWindowSizeChanged());
}
import arsd.eventloop;
void eventListener(OsFileHandle fd) {
auto queue = readNextEvents();
foreach(event; queue)
send(event);
}
}
~this() {
// the delegate thing doesn't actually work for this... for some reason
version(Posix)
if(fdIn != -1)
tcsetattr(fdIn, TCSANOW, &old);
version(Posix) {
if(flags & ConsoleInputFlags.size) {
// restoration
sigaction(SIGWINCH, &oldSigWinch, null);
}
sigaction(SIGINT, &oldSigIntr, null);
}
// we're just undoing everything the constructor did, in reverse order, same criteria
foreach_reverse(d; destructor)
d();
}
/// Returns true if there is input available now
bool kbhit() {
return timedCheckForInput(0);
}
/// Check for input, waiting no longer than the number of milliseconds
bool timedCheckForInput(int milliseconds) {
version(Windows) {
auto response = WaitForSingleObject(terminal.hConsole, milliseconds);
if(response == 0)
return true; // the object is ready
return false;
} else version(Posix) {
if(fdIn == -1)
return false;
timeval tv;
tv.tv_sec = 0;
tv.tv_usec = milliseconds * 1000;
fd_set fs;
FD_ZERO(&fs);
FD_SET(fdIn, &fs);
select(fdIn + 1, &fs, null, null, &tv);
return FD_ISSET(fdIn, &fs);
}
}
/// Get one character from the terminal, discarding other
/// events in the process.
dchar getch() {
auto event = nextEvent();
while(event.type != InputEvent.Type.CharacterEvent) {
if(event.type == InputEvent.Type.UserInterruptionEvent)
throw new Exception("Ctrl+c");
event = nextEvent();
}
return event.characterEvent.character;
}
//char[128] inputBuffer;
//int inputBufferPosition;
version(Posix)
int nextRaw(bool interruptable = false) {
if(fdIn == -1)
return 0;
char[1] buf;
try_again:
auto ret = read(fdIn, buf.ptr, buf.length);
if(ret == 0)
return 0; // input closed
if(ret == -1) {
import core.stdc.errno;
if(errno == EINTR)
// interrupted by signal call, quite possibly resize or ctrl+c which we want to check for in the event loop
if(interruptable)
return -1;
else
goto try_again;
else
throw new Exception("read failed");
}
//terminal.writef("RAW READ: %d\n", buf[0]);
if(ret == 1)
return inputPrefilter ? inputPrefilter(buf[0]) : buf[0];
else
assert(0); // read too much, should be impossible
}
version(Posix)
int delegate(char) inputPrefilter;
version(Posix)
dchar nextChar(int starting) {
if(starting <= 127)
return cast(dchar) starting;
char[6] buffer;
int pos = 0;
buffer[pos++] = cast(char) starting;
// see the utf-8 encoding for details
int remaining = 0;
ubyte magic = starting & 0xff;
while(magic & 0b1000_000) {
remaining++;
magic <<= 1;
}
while(remaining && pos < buffer.length) {
buffer[pos++] = cast(char) nextRaw();
remaining--;
}
import std.utf;
size_t throwAway; // it insists on the index but we don't care
return decode(buffer[], throwAway);
}
InputEvent checkWindowSizeChanged() {
auto oldWidth = terminal.width;
auto oldHeight = terminal.height;
terminal.updateSize();
version(Posix)
windowSizeChanged = false;
return InputEvent(SizeChangedEvent(oldWidth, oldHeight, terminal.width, terminal.height));
}
// character event
// non-character key event
// paste event
// mouse event
// size event maybe, and if appropriate focus events
/// Returns the next event.
///
/// Experimental: It is also possible to integrate this into
/// a generic event loop, currently under -version=with_eventloop and it will
/// require the module arsd.eventloop (Linux only at this point)
InputEvent nextEvent() {
terminal.flush();
if(inputQueue.length) {
auto e = inputQueue[0];
inputQueue = inputQueue[1 .. $];
return e;
}
wait_for_more:
version(Posix)
if(interrupted) {
interrupted = false;
return InputEvent(UserInterruptionEvent());
}
version(Posix)
if(windowSizeChanged) {
return checkWindowSizeChanged();
}
auto more = readNextEvents();
if(!more.length)
goto wait_for_more; // i used to do a loop (readNextEvents can read something, but it might be discarded by the input filter) but now it goto's above because readNextEvents might be interrupted by a SIGWINCH aka size event so we want to check that at least
assert(more.length);
auto e = more[0];
inputQueue = more[1 .. $];
return e;
}
InputEvent* peekNextEvent() {
if(inputQueue.length)
return &(inputQueue[0]);
return null;
}
enum InjectionPosition { head, tail }
void injectEvent(InputEvent ev, InjectionPosition where) {
final switch(where) {
case InjectionPosition.head:
inputQueue = ev ~ inputQueue;
break;
case InjectionPosition.tail:
inputQueue ~= ev;
break;
}
}
InputEvent[] inputQueue;
version(Windows)
InputEvent[] readNextEvents() {
terminal.flush(); // make sure all output is sent out before waiting for anything
INPUT_RECORD[32] buffer;
DWORD actuallyRead;
// FIXME: ReadConsoleInputW
auto success = ReadConsoleInputA(inputHandle, buffer.ptr, buffer.length, &actuallyRead);
if(success == 0)
throw new Exception("ReadConsoleInput");
InputEvent[] newEvents;
input_loop: foreach(record; buffer[0 .. actuallyRead]) {
switch(record.EventType) {
case KEY_EVENT:
auto ev = record.KeyEvent;
CharacterEvent e;
NonCharacterKeyEvent ne;
e.eventType = ev.bKeyDown ? CharacterEvent.Type.Pressed : CharacterEvent.Type.Released;
ne.eventType = ev.bKeyDown ? NonCharacterKeyEvent.Type.Pressed : NonCharacterKeyEvent.Type.Released;
e.modifierState = ev.dwControlKeyState;
ne.modifierState = ev.dwControlKeyState;
if(ev.UnicodeChar) {
e.character = cast(dchar) cast(wchar) ev.UnicodeChar;
newEvents ~= InputEvent(e);
} else {
ne.key = cast(NonCharacterKeyEvent.Key) ev.wVirtualKeyCode;
// FIXME: make this better. the goal is to make sure the key code is a valid enum member
// Windows sends more keys than Unix and we're doing lowest common denominator here
foreach(member; __traits(allMembers, NonCharacterKeyEvent.Key))
if(__traits(getMember, NonCharacterKeyEvent.Key, member) == ne.key) {
newEvents ~= InputEvent(ne);
break;
}
}
break;
case MOUSE_EVENT:
auto ev = record.MouseEvent;
MouseEvent e;
e.modifierState = ev.dwControlKeyState;
e.x = ev.dwMousePosition.X;
e.y = ev.dwMousePosition.Y;
switch(ev.dwEventFlags) {
case 0:
//press or release
e.eventType = MouseEvent.Type.Pressed;
static DWORD lastButtonState;
auto lastButtonState2 = lastButtonState;
e.buttons = ev.dwButtonState;
lastButtonState = e.buttons;
// this is sent on state change. if fewer buttons are pressed, it must mean released
if(cast(DWORD) e.buttons < lastButtonState2) {
e.eventType = MouseEvent.Type.Released;
// if last was 101 and now it is 100, then button far right was released
// so we flip the bits, ~100 == 011, then and them: 101 & 011 == 001, the
// button that was released
e.buttons = lastButtonState2 & ~e.buttons;
}
break;
case MOUSE_MOVED:
e.eventType = MouseEvent.Type.Moved;
e.buttons = ev.dwButtonState;
break;
case 0x0004/*MOUSE_WHEELED*/:
e.eventType = MouseEvent.Type.Pressed;
if(ev.dwButtonState > 0)
e.buttons = MouseEvent.Button.ScrollDown;
else
e.buttons = MouseEvent.Button.ScrollUp;
break;
default:
continue input_loop;
}
newEvents ~= InputEvent(e);
break;
case WINDOW_BUFFER_SIZE_EVENT:
auto ev = record.WindowBufferSizeEvent;
auto oldWidth = terminal.width;
auto oldHeight = terminal.height;
terminal._width = ev.dwSize.X;
terminal._height = ev.dwSize.Y;
newEvents ~= InputEvent(SizeChangedEvent(oldWidth, oldHeight, terminal.width, terminal.height));
break;
// FIXME: can we catch ctrl+c here too?
default:
// ignore
}
}
return newEvents;
}
version(Posix)
InputEvent[] readNextEvents() {
terminal.flush(); // make sure all output is sent out before we try to get input
InputEvent[] charPressAndRelease(dchar character) {
return [
InputEvent(CharacterEvent(CharacterEvent.Type.Pressed, character, 0)),
InputEvent(CharacterEvent(CharacterEvent.Type.Released, character, 0)),
];
}
InputEvent[] keyPressAndRelease(NonCharacterKeyEvent.Key key, uint modifiers = 0) {
return [
InputEvent(NonCharacterKeyEvent(NonCharacterKeyEvent.Type.Pressed, key, modifiers)),
InputEvent(NonCharacterKeyEvent(NonCharacterKeyEvent.Type.Released, key, modifiers)),
];
}
char[30] sequenceBuffer;
// this assumes you just read "\033["
char[] readEscapeSequence(char[] sequence) {
int sequenceLength = 2;
sequence[0] = '\033';
sequence[1] = '[';
while(sequenceLength < sequence.length) {
auto n = nextRaw();
sequence[sequenceLength++] = cast(char) n;
if(n >= 0x40)
break;
}
return sequence[0 .. sequenceLength];
}
InputEvent[] translateTermcapName(string cap) {
switch(cap) {
//case "k0":
//return keyPressAndRelease(NonCharacterKeyEvent.Key.F1);
case "k1":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F1);
case "k2":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F2);
case "k3":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F3);
case "k4":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F4);
case "k5":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F5);
case "k6":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F6);
case "k7":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F7);
case "k8":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F8);
case "k9":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F9);
case "k;":
case "k0":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F10);
case "F1":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F11);
case "F2":
return keyPressAndRelease(NonCharacterKeyEvent.Key.F12);
case "kb":
return charPressAndRelease('\b');
case "kD":
return keyPressAndRelease(NonCharacterKeyEvent.Key.Delete);
case "kd":
case "do":
return keyPressAndRelease(NonCharacterKeyEvent.Key.DownArrow);
case "ku":
case "up":
return keyPressAndRelease(NonCharacterKeyEvent.Key.UpArrow);
case "kl":
return keyPressAndRelease(NonCharacterKeyEvent.Key.LeftArrow);
case "kr":
case "nd":
return keyPressAndRelease(NonCharacterKeyEvent.Key.RightArrow);
case "kN":
return keyPressAndRelease(NonCharacterKeyEvent.Key.PageDown);
case "kP":
return keyPressAndRelease(NonCharacterKeyEvent.Key.PageUp);
case "kh":
return keyPressAndRelease(NonCharacterKeyEvent.Key.Home);
case "kH":
return keyPressAndRelease(NonCharacterKeyEvent.Key.End);
case "kI":
return keyPressAndRelease(NonCharacterKeyEvent.Key.Insert);
default:
// don't know it, just ignore
//import std.stdio;
//writeln(cap);
}
return null;
}
InputEvent[] doEscapeSequence(in char[] sequence) {
switch(sequence) {
case "\033[200~":
// bracketed paste begin
// we want to keep reading until
// "\033[201~":
// and build a paste event out of it
string data;
for(;;) {
auto n = nextRaw();
if(n == '\033') {
n = nextRaw();
if(n == '[') {
auto esc = readEscapeSequence(sequenceBuffer);
if(esc == "\033[201~") {
// complete!
break;
} else {
// was something else apparently, but it is pasted, so keep it
data ~= esc;
}
} else {
data ~= '\033';
data ~= cast(char) n;
}
} else {
data ~= cast(char) n;
}
}
return [InputEvent(PasteEvent(data))];
break;
case "\033[M":
// mouse event
auto buttonCode = nextRaw() - 32;
// nextChar is commented because i'm not using UTF-8 mouse mode
// cuz i don't think it is as widely supported
auto x = cast(int) (/*nextChar*/(nextRaw())) - 33; /* they encode value + 32, but make upper left 1,1. I want it to be 0,0 */
auto y = cast(int) (/*nextChar*/(nextRaw())) - 33; /* ditto */
bool isRelease = (buttonCode & 0b11) == 3;
int buttonNumber;
if(!isRelease) {
buttonNumber = (buttonCode & 0b11);
if(buttonCode & 64)
buttonNumber += 3; // button 4 and 5 are sent as like button 1 and 2, but code | 64
// so button 1 == button 4 here
// note: buttonNumber == 0 means button 1 at this point
buttonNumber++; // hence this
// apparently this considers middle to be button 2. but i want middle to be button 3.
if(buttonNumber == 2)
buttonNumber = 3;
else if(buttonNumber == 3)
buttonNumber = 2;
}
auto modifiers = buttonCode & (0b0001_1100);
// 4 == shift
// 8 == meta
// 16 == control
MouseEvent m;
if(buttonCode & 32)
m.eventType = MouseEvent.Type.Moved;
else
m.eventType = isRelease ? MouseEvent.Type.Released : MouseEvent.Type.Pressed;
// ugh, if no buttons are pressed, released and moved are indistinguishable...
// so we'll count the buttons down, and if we get a release
static int buttonsDown = 0;
if(!isRelease && buttonNumber <= 3) // exclude wheel "presses"...
buttonsDown++;
if(isRelease && m.eventType != MouseEvent.Type.Moved) {
if(buttonsDown)
buttonsDown--;
else // no buttons down, so this should be a motion instead..
m.eventType = MouseEvent.Type.Moved;
}
if(buttonNumber == 0)
m.buttons = 0; // we don't actually know :(
else
m.buttons = 1 << (buttonNumber - 1); // I prefer flags so that's how we do it
m.x = x;
m.y = y;
m.modifierState = modifiers;
return [InputEvent(m)];
break;
default:
// look it up in the termcap key database
auto cap = terminal.findSequenceInTermcap(sequence);
if(cap !is null)
return translateTermcapName(cap);
else {
if(terminal.terminalInFamily("xterm")) {
import std.conv, std.string;
auto terminator = sequence[$ - 1];
auto parts = sequence[2 .. $ - 1].split(";");
// parts[0] and terminator tells us the key
// parts[1] tells us the modifierState
uint modifierState;
int modGot;
if(parts.length > 1)
modGot = to!int(parts[1]);
mod_switch: switch(modGot) {
case 2: modifierState |= ModifierState.shift; break;
case 3: modifierState |= ModifierState.alt; break;
case 4: modifierState |= ModifierState.shift | ModifierState.alt; break;
case 5: modifierState |= ModifierState.control; break;
case 6: modifierState |= ModifierState.shift | ModifierState.control; break;
case 7: modifierState |= ModifierState.alt | ModifierState.control; break;
case 8: modifierState |= ModifierState.shift | ModifierState.alt | ModifierState.control; break;
case 9:
..
case 16:
modifierState |= ModifierState.meta;
if(modGot != 9) {
modGot -= 8;
goto mod_switch;
}
break;
// this is an extension in my own terminal emulator
case 20:
..
case 36:
modifierState |= ModifierState.windows;
modGot -= 20;
goto mod_switch;
default:
}
switch(terminator) {
case 'A': return keyPressAndRelease(NonCharacterKeyEvent.Key.UpArrow, modifierState);
case 'B': return keyPressAndRelease(NonCharacterKeyEvent.Key.DownArrow, modifierState);
case 'C': return keyPressAndRelease(NonCharacterKeyEvent.Key.RightArrow, modifierState);
case 'D': return keyPressAndRelease(NonCharacterKeyEvent.Key.LeftArrow, modifierState);
case 'H': return keyPressAndRelease(NonCharacterKeyEvent.Key.Home, modifierState);
case 'F': return keyPressAndRelease(NonCharacterKeyEvent.Key.End, modifierState);
case 'P': return keyPressAndRelease(NonCharacterKeyEvent.Key.F1, modifierState);
case 'Q': return keyPressAndRelease(NonCharacterKeyEvent.Key.F2, modifierState);
case 'R': return keyPressAndRelease(NonCharacterKeyEvent.Key.F3, modifierState);
case 'S': return keyPressAndRelease(NonCharacterKeyEvent.Key.F4, modifierState);
case '~': // others
switch(parts[0]) {
case "5": return keyPressAndRelease(NonCharacterKeyEvent.Key.PageUp, modifierState);
case "6": return keyPressAndRelease(NonCharacterKeyEvent.Key.PageDown, modifierState);
case "2": return keyPressAndRelease(NonCharacterKeyEvent.Key.Insert, modifierState);
case "3": return keyPressAndRelease(NonCharacterKeyEvent.Key.Delete, modifierState);
case "15": return keyPressAndRelease(NonCharacterKeyEvent.Key.F5, modifierState);
case "17": return keyPressAndRelease(NonCharacterKeyEvent.Key.F6, modifierState);
case "18": return keyPressAndRelease(NonCharacterKeyEvent.Key.F7, modifierState);
case "19": return keyPressAndRelease(NonCharacterKeyEvent.Key.F8, modifierState);
case "20": return keyPressAndRelease(NonCharacterKeyEvent.Key.F9, modifierState);
case "21": return keyPressAndRelease(NonCharacterKeyEvent.Key.F10, modifierState);
case "23": return keyPressAndRelease(NonCharacterKeyEvent.Key.F11, modifierState);
case "24": return keyPressAndRelease(NonCharacterKeyEvent.Key.F12, modifierState);
default:
}
break;
default:
}
} else if(terminal.terminalInFamily("rxvt")) {
// FIXME: figure these out. rxvt seems to just change the terminator while keeping the rest the same
// though it isn't consistent. ugh.
} else {
// maybe we could do more terminals, but linux doesn't even send it and screen just seems to pass through, so i don't think so; xterm prolly covers most them anyway
// so this space is semi-intentionally left blank
}
}
}
return null;
}
auto c = nextRaw(true);
if(c == -1)
return null; // interrupted; give back nothing so the other level can recheck signal flags
if(c == 0)
throw new Exception("stdin has reached end of file");
if(c == '\033') {
if(timedCheckForInput(50)) {
// escape sequence
c = nextRaw();
if(c == '[') { // CSI, ends on anything >= 'A'
return doEscapeSequence(readEscapeSequence(sequenceBuffer));
} else if(c == 'O') {
// could be xterm function key
auto n = nextRaw();
char[3] thing;
thing[0] = '\033';
thing[1] = 'O';
thing[2] = cast(char) n;
auto cap = terminal.findSequenceInTermcap(thing);
if(cap is null) {
return charPressAndRelease('\033') ~
charPressAndRelease('O') ~
charPressAndRelease(thing[2]);
} else {
return translateTermcapName(cap);
}
} else {
// I don't know, probably unsupported terminal or just quick user input or something
return charPressAndRelease('\033') ~ charPressAndRelease(nextChar(c));
}
} else {
// user hit escape (or super slow escape sequence, but meh)
return keyPressAndRelease(NonCharacterKeyEvent.Key.escape);
}
} else {
// FIXME: what if it is neither? we should check the termcap
return charPressAndRelease(nextChar(c));
}
}
}
/// Input event for characters
struct CharacterEvent {
/// .
enum Type {
Released, /// .
Pressed /// .
}
Type eventType; /// .
dchar character; /// .
uint modifierState; /// Don't depend on this to be available for character events
}
struct NonCharacterKeyEvent {
/// .
enum Type {
Released, /// .
Pressed /// .
}
Type eventType; /// .
// these match Windows virtual key codes numerically for simplicity of translation there
//http://msdn.microsoft.com/en-us/library/windows/desktop/dd375731%28v=vs.85%29.aspx
/// .
enum Key : int {
escape = 0x1b, /// .
F1 = 0x70, /// .
F2 = 0x71, /// .
F3 = 0x72, /// .
F4 = 0x73, /// .
F5 = 0x74, /// .
F6 = 0x75, /// .
F7 = 0x76, /// .
F8 = 0x77, /// .
F9 = 0x78, /// .
F10 = 0x79, /// .
F11 = 0x7A, /// .
F12 = 0x7B, /// .
LeftArrow = 0x25, /// .
RightArrow = 0x27, /// .
UpArrow = 0x26, /// .
DownArrow = 0x28, /// .
Insert = 0x2d, /// .
Delete = 0x2e, /// .
Home = 0x24, /// .
End = 0x23, /// .
PageUp = 0x21, /// .
PageDown = 0x22, /// .
}
Key key; /// .
uint modifierState; /// A mask of ModifierState. Always use by checking modifierState & ModifierState.something, the actual value differs across platforms
}
/// .
struct PasteEvent {
string pastedText; /// .
}
/// .
struct MouseEvent {
// these match simpledisplay.d numerically as well
/// .
enum Type {
Moved = 0, /// .
Pressed = 1, /// .
Released = 2, /// .
Clicked, /// .
}
Type eventType; /// .
// note: these should numerically match simpledisplay.d for maximum beauty in my other code
/// .
enum Button : uint {
None = 0, /// .
Left = 1, /// .
Middle = 4, /// .
Right = 2, /// .
ScrollUp = 8, /// .
ScrollDown = 16 /// .
}
uint buttons; /// A mask of Button
int x; /// 0 == left side
int y; /// 0 == top
uint modifierState; /// shift, ctrl, alt, meta, altgr. Not always available. Always check by using modifierState & ModifierState.something
}
/// .
struct SizeChangedEvent {
int oldWidth;
int oldHeight;
int newWidth;
int newHeight;
}
/// the user hitting ctrl+c will send this
struct UserInterruptionEvent {}
interface CustomEvent {}
version(Windows)
enum ModifierState : uint {
shift = 0x10,
control = 0x8 | 0x4, // 8 == left ctrl, 4 == right ctrl
// i'm not sure if the next two are available
alt = 2 | 1, //2 ==left alt, 1 == right alt
// FIXME: I don't think these are actually available
windows = 512,
meta = 4096, // FIXME sanity
// I don't think this is available on Linux....
scrollLock = 0x40,
}
else
enum ModifierState : uint {
shift = 4,
alt = 2,
control = 16,
meta = 8,
windows = 512 // only available if you are using my terminal emulator; it isn't actually offered on standard linux ones
}
/// GetNextEvent returns this. Check the type, then use get to get the more detailed input
struct InputEvent {
/// .
enum Type {
CharacterEvent, ///.
NonCharacterKeyEvent, /// .
PasteEvent, /// .
MouseEvent, /// only sent if you subscribed to mouse events
SizeChangedEvent, /// only sent if you subscribed to size events
UserInterruptionEvent, /// the user hit ctrl+c
CustomEvent /// .
}
/// .
@property Type type() { return t; }
/// .
@property auto get(Type T)() {
if(type != T)
throw new Exception("Wrong event type");
static if(T == Type.CharacterEvent)
return characterEvent;
else static if(T == Type.NonCharacterKeyEvent)
return nonCharacterKeyEvent;
else static if(T == Type.PasteEvent)
return pasteEvent;
else static if(T == Type.MouseEvent)
return mouseEvent;
else static if(T == Type.SizeChangedEvent)
return sizeChangedEvent;
else static if(T == Type.UserInterruptionEvent)
return userInterruptionEvent;
else static if(T == Type.CustomEvent)
return customEvent;
else static assert(0, "Type " ~ T.stringof ~ " not added to the get function");
}
private {
this(CharacterEvent c) {
t = Type.CharacterEvent;
characterEvent = c;
}
this(NonCharacterKeyEvent c) {
t = Type.NonCharacterKeyEvent;
nonCharacterKeyEvent = c;
}
this(PasteEvent c) {
t = Type.PasteEvent;
pasteEvent = c;
}
this(MouseEvent c) {
t = Type.MouseEvent;
mouseEvent = c;
}
this(SizeChangedEvent c) {
t = Type.SizeChangedEvent;
sizeChangedEvent = c;
}
this(UserInterruptionEvent c) {
t = Type.UserInterruptionEvent;
userInterruptionEvent = c;
}
this(CustomEvent c) {
t = Type.CustomEvent;
customEvent = c;
}
Type t;
union {
CharacterEvent characterEvent;
NonCharacterKeyEvent nonCharacterKeyEvent;
PasteEvent pasteEvent;
MouseEvent mouseEvent;
SizeChangedEvent sizeChangedEvent;
UserInterruptionEvent userInterruptionEvent;
CustomEvent customEvent;
}
}
}
version(Demo)
void main() {
auto terminal = Terminal(ConsoleOutputType.linear);
terminal.setTitle("Basic I/O");
auto input = RealTimeConsoleInput(&terminal, ConsoleInputFlags.raw | ConsoleInputFlags.allInputEvents);
terminal.color(Color.green | Bright, Color.black);
//terminal.color(Color.DEFAULT, Color.DEFAULT);
terminal.write("test some long string to see if it wraps or what because i dont really know what it is going to do so i just want to test i think it will wrap but gotta be sure lolololololololol");
terminal.writefln("%d %d", terminal.cursorX, terminal.cursorY);
int centerX = terminal.width / 2;
int centerY = terminal.height / 2;
bool timeToBreak = false;
void handleEvent(InputEvent event) {
terminal.writef("%s\n", event.type);
final switch(event.type) {
case InputEvent.Type.UserInterruptionEvent:
timeToBreak = true;
version(with_eventloop) {
import arsd.eventloop;
exit();
}
break;
case InputEvent.Type.SizeChangedEvent:
auto ev = event.get!(InputEvent.Type.SizeChangedEvent);
terminal.writeln(ev);
break;
case InputEvent.Type.CharacterEvent:
auto ev = event.get!(InputEvent.Type.CharacterEvent);
terminal.writef("\t%s\n", ev);
if(ev.character == 'Q') {
timeToBreak = true;
version(with_eventloop) {
import arsd.eventloop;
exit();
}
}
if(ev.character == 'C')
terminal.clear();
break;
case InputEvent.Type.NonCharacterKeyEvent:
terminal.writef("\t%s\n", event.get!(InputEvent.Type.NonCharacterKeyEvent));
break;
case InputEvent.Type.PasteEvent:
terminal.writef("\t%s\n", event.get!(InputEvent.Type.PasteEvent));
break;
case InputEvent.Type.MouseEvent:
terminal.writef("\t%s\n", event.get!(InputEvent.Type.MouseEvent));
break;
case InputEvent.Type.CustomEvent:
break;
}
terminal.writefln("%d %d", terminal.cursorX, terminal.cursorY);
/*
if(input.kbhit()) {
auto c = input.getch();
if(c == 'q' || c == 'Q')
break;
terminal.moveTo(centerX, centerY);
terminal.writef("%c", c);
terminal.flush();
}
usleep(10000);
*/
}
version(with_eventloop) {
import arsd.eventloop;
addListener(&handleEvent);
loop();
} else {
loop: while(true) {
auto event = input.nextEvent();
handleEvent(event);
if(timeToBreak)
break loop;
}
}
}
/*
// more efficient scrolling
http://msdn.microsoft.com/en-us/library/windows/desktop/ms685113%28v=vs.85%29.aspx
// and the unix sequences
rxvt documentation:
use this to finish the input magic for that
For the keypad, use Shift to temporarily override Application-Keypad
setting use Num_Lock to toggle Application-Keypad setting if Num_Lock
is off, toggle Application-Keypad setting. Also note that values of
Home, End, Delete may have been compiled differently on your system.
Normal Shift Control Ctrl+Shift
Tab ^I ESC [ Z ^I ESC [ Z
BackSpace ^H ^? ^? ^?
Find ESC [ 1 ~ ESC [ 1 $ ESC [ 1 ^ ESC [ 1 @
Insert ESC [ 2 ~ paste ESC [ 2 ^ ESC [ 2 @
Execute ESC [ 3 ~ ESC [ 3 $ ESC [ 3 ^ ESC [ 3 @
Select ESC [ 4 ~ ESC [ 4 $ ESC [ 4 ^ ESC [ 4 @
Prior ESC [ 5 ~ scroll-up ESC [ 5 ^ ESC [ 5 @
Next ESC [ 6 ~ scroll-down ESC [ 6 ^ ESC [ 6 @
Home ESC [ 7 ~ ESC [ 7 $ ESC [ 7 ^ ESC [ 7 @
End ESC [ 8 ~ ESC [ 8 $ ESC [ 8 ^ ESC [ 8 @
Delete ESC [ 3 ~ ESC [ 3 $ ESC [ 3 ^ ESC [ 3 @
F1 ESC [ 11 ~ ESC [ 23 ~ ESC [ 11 ^ ESC [ 23 ^
F2 ESC [ 12 ~ ESC [ 24 ~ ESC [ 12 ^ ESC [ 24 ^
F3 ESC [ 13 ~ ESC [ 25 ~ ESC [ 13 ^ ESC [ 25 ^
F4 ESC [ 14 ~ ESC [ 26 ~ ESC [ 14 ^ ESC [ 26 ^
F5 ESC [ 15 ~ ESC [ 28 ~ ESC [ 15 ^ ESC [ 28 ^
F6 ESC [ 17 ~ ESC [ 29 ~ ESC [ 17 ^ ESC [ 29 ^
F7 ESC [ 18 ~ ESC [ 31 ~ ESC [ 18 ^ ESC [ 31 ^
F8 ESC [ 19 ~ ESC [ 32 ~ ESC [ 19 ^ ESC [ 32 ^
F9 ESC [ 20 ~ ESC [ 33 ~ ESC [ 20 ^ ESC [ 33 ^
F10 ESC [ 21 ~ ESC [ 34 ~ ESC [ 21 ^ ESC [ 34 ^
F11 ESC [ 23 ~ ESC [ 23 $ ESC [ 23 ^ ESC [ 23 @
F12 ESC [ 24 ~ ESC [ 24 $ ESC [ 24 ^ ESC [ 24 @
F13 ESC [ 25 ~ ESC [ 25 $ ESC [ 25 ^ ESC [ 25 @
F14 ESC [ 26 ~ ESC [ 26 $ ESC [ 26 ^ ESC [ 26 @
F15 (Help) ESC [ 28 ~ ESC [ 28 $ ESC [ 28 ^ ESC [ 28 @
F16 (Menu) ESC [ 29 ~ ESC [ 29 $ ESC [ 29 ^ ESC [ 29 @
F17 ESC [ 31 ~ ESC [ 31 $ ESC [ 31 ^ ESC [ 31 @
F18 ESC [ 32 ~ ESC [ 32 $ ESC [ 32 ^ ESC [ 32 @
F19 ESC [ 33 ~ ESC [ 33 $ ESC [ 33 ^ ESC [ 33 @
F20 ESC [ 34 ~ ESC [ 34 $ ESC [ 34 ^ ESC [ 34 @
Application
Up ESC [ A ESC [ a ESC O a ESC O A
Down ESC [ B ESC [ b ESC O b ESC O B
Right ESC [ C ESC [ c ESC O c ESC O C
Left ESC [ D ESC [ d ESC O d ESC O D
KP_Enter ^M ESC O M
KP_F1 ESC O P ESC O P
KP_F2 ESC O Q ESC O Q
KP_F3 ESC O R ESC O R
KP_F4 ESC O S ESC O S
XK_KP_Multiply * ESC O j
XK_KP_Add + ESC O k
XK_KP_Separator , ESC O l
XK_KP_Subtract - ESC O m
XK_KP_Decimal . ESC O n
XK_KP_Divide / ESC O o
XK_KP_0 0 ESC O p
XK_KP_1 1 ESC O q
XK_KP_2 2 ESC O r
XK_KP_3 3 ESC O s
XK_KP_4 4 ESC O t
XK_KP_5 5 ESC O u
XK_KP_6 6 ESC O v
XK_KP_7 7 ESC O w
XK_KP_8 8 ESC O x
XK_KP_9 9 ESC O y
*/
| D |
/**
List of all standard HTTP status codes.
Copyright: © 2012 RejectedSoftware e.K.
License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file.
Authors: Jan Krüger
*/
module vibe.http.status;
/**
Definitions of all standard HTTP status codes.
*/
enum HTTPStatus {
continue_ = 100,
switchingProtocols = 101,
ok = 200,
created = 201,
accepted = 202,
nonAuthoritativeInformation = 203,
noContent = 204,
resetContent = 205,
partialContent = 206,
multipleChoices = 300,
movedPermanently = 301,
found = 302,
seeOther = 303,
notModified = 304,
useProxy = 305,
temporaryRedirect = 307,
badRequest = 400,
unauthorized = 401,
paymentRequired = 402,
forbidden = 403,
notFound = 404,
methodNotAllowed = 405,
notAcceptable = 406,
proxyAuthenticationRequired = 407,
requestTimeout = 408,
conflict = 409,
gone = 410,
lengthRequired = 411,
preconditionFailed = 412,
requestEntityTooLarge = 413,
requestURITooLarge = 414,
unsupportedMediaType = 415,
requestedrangenotsatisfiable = 416,
expectationFailed = 417,
tooManyRequests = 429,
internalServerError = 500,
notImplemented = 501,
badGateway = 502,
serviceUnavailable = 503,
gatewayTimeout = 504,
httpVersionNotSupported = 505,
// WebDAV status codes
multiStatus = 207,
unprocessableEntity = 422,
locked = 423,
failedDependency = 424,
insufficientStorage = 507,
Continue = continue_, /// deprecated
SwitchingProtocols = switchingProtocols, /// deprecated
OK = ok, /// deprecated
Created = created, /// deprecated
Accepted = accepted, /// deprecated
NonAuthoritativeInformation = nonAuthoritativeInformation, /// deprecated
NoContent = noContent, /// deprecated
ResetContent = resetContent, /// deprecated
PartialContent = partialContent, /// deprecated
MultipleChoices = multipleChoices, /// deprecated
MovedPermanently = movedPermanently, /// deprecated
Found = found, /// deprecated
SeeOther = seeOther, /// deprecated
NotModified = notModified, /// deprecated
UseProxy = useProxy, /// deprecated
TemporaryRedirect = temporaryRedirect, /// deprecated
BadRequest = badRequest, /// deprecated
Unauthorized = unauthorized, /// deprecated
PaymentRequired = paymentRequired, /// deprecated
Forbidden = forbidden, /// deprecated
NotFound = notFound, /// deprecated
MethodNotAllowed = methodNotAllowed, /// deprecated
NotAcceptable = notAcceptable, /// deprecated
ProxyAuthenticationRequired = proxyAuthenticationRequired, /// deprecated
RequestTimeout = requestTimeout, /// deprecated
Conflict = conflict, /// deprecated
Gone = gone, /// deprecated
LengthRequired = lengthRequired, /// deprecated
PreconditionFailed = preconditionFailed, /// deprecated
RequestEntityTooLarge = requestEntityTooLarge, /// deprecated
RequestURITooLarge = requestURITooLarge, /// deprecated
UnsupportedMediaType = unsupportedMediaType, /// deprecated
Requestedrangenotsatisfiable = requestedrangenotsatisfiable, /// deprecated
ExpectationFailed = expectationFailed, /// deprecated
InternalServerError = internalServerError, /// deprecated
NotImplemented = notImplemented, /// deprecated
BadGateway = badGateway, /// deprecated
ServiceUnavailable = serviceUnavailable, /// deprecated
GatewayTimeout = gatewayTimeout, /// deprecated
HTTPVersionNotSupported = httpVersionNotSupported, /// deprecated
}
/**
Returns a standard text description of the specified HTTP status code.
*/
string httpStatusText(int code)
{
switch(code)
{
default: break;
case HTTPStatus.continue_ : return "Continue";
case HTTPStatus.switchingProtocols : return "Switching Protocols";
case HTTPStatus.ok : return "OK";
case HTTPStatus.created : return "Created";
case HTTPStatus.accepted : return "Accepted";
case HTTPStatus.nonAuthoritativeInformation : return "Non-Authoritative Information";
case HTTPStatus.noContent : return "No Content";
case HTTPStatus.resetContent : return "Reset Content";
case HTTPStatus.partialContent : return "Partial Content";
case HTTPStatus.multipleChoices : return "Multiple Choices";
case HTTPStatus.movedPermanently : return "Moved Permanently";
case HTTPStatus.found : return "Found";
case HTTPStatus.seeOther : return "See Other";
case HTTPStatus.notModified : return "Not Modified";
case HTTPStatus.useProxy : return "Use Proxy";
case HTTPStatus.temporaryRedirect : return "Temporary Redirect";
case HTTPStatus.badRequest : return "Bad Request";
case HTTPStatus.unauthorized : return "Unauthorized";
case HTTPStatus.paymentRequired : return "Payment Required";
case HTTPStatus.forbidden : return "Forbidden";
case HTTPStatus.notFound : return "Not Found";
case HTTPStatus.methodNotAllowed : return "Method Not Allowed";
case HTTPStatus.notAcceptable : return "Not Acceptable";
case HTTPStatus.proxyAuthenticationRequired : return "Proxy Authentication Required";
case HTTPStatus.requestTimeout : return "Request Time-out";
case HTTPStatus.conflict : return "Conflict";
case HTTPStatus.gone : return "Gone";
case HTTPStatus.lengthRequired : return "Length Required";
case HTTPStatus.preconditionFailed : return "Precondition Failed";
case HTTPStatus.requestEntityTooLarge : return "Request Entity Too Large";
case HTTPStatus.requestURITooLarge : return "Request-URI Too Large";
case HTTPStatus.unsupportedMediaType : return "Unsupported Media Type";
case HTTPStatus.requestedrangenotsatisfiable : return "Requested range not satisfiable";
case HTTPStatus.expectationFailed : return "Expectation Failed";
case HTTPStatus.internalServerError : return "Internal Server Error";
case HTTPStatus.notImplemented : return "Not Implemented";
case HTTPStatus.badGateway : return "Bad Gateway";
case HTTPStatus.serviceUnavailable : return "Service Unavailable";
case HTTPStatus.gatewayTimeout : return "Gateway Time-out";
case HTTPStatus.httpVersionNotSupported : return "HTTP Version not supported";
// WebDAV
case HTTPStatus.multiStatus : return "Multi-Status";
case HTTPStatus.unprocessableEntity : return "Unprocessable Entity";
case HTTPStatus.locked : return "Locked";
case HTTPStatus.failedDependency : return "Failed Dependency";
case HTTPStatus.insufficientStorage : return "Insufficient Storage";
}
if( code >= 600 ) return "Unknown";
if( code >= 500 ) return "Unknown server error";
if( code >= 400 ) return "Unknown error";
if( code >= 300 ) return "Unknown redirection";
if( code >= 200 ) return "Unknown success";
if( code >= 100 ) return "Unknown information";
return "Unknown";
}
/**
Determines if the given status code justifies closing the connection (e.g. evil big request bodies)
*/
bool justifiesConnectionClose(int status) {
switch(status) {
default: return false;
case HTTPStatus.requestEntityTooLarge:
case HTTPStatus.requestURITooLarge:
case HTTPStatus.requestTimeout:
return true;
}
}
/**
Determines if status code is generally successful (>= 200 && < 300)
*/
bool isSuccessCode(HTTPStatus status) {
return status >= 200 && status < 300;
}
| D |
module sdfs.tracker.leveldb;
import std.string;
import std.conv;
import std.traits;
import std.file;
import deimos.leveldb.leveldb;
import sdfs.tracker.configuration;
__gshared private leveldb_t db;
__gshared private leveldb_options_t opt;
__gshared private leveldb_writeoptions_t writeOpt;
__gshared private leveldb_readoptions_t readOpt;
class LevelDB
{
static bool open()
{
if (!exists(config.business.data.path.value))
{
mkdirRecurse(config.business.data.path.value);
}
opt = leveldb_options_create();
if (opt is null)
{
return false;
}
leveldb_options_set_create_if_missing(opt, true);
//leveldb_options_set_write_buffer_size(opt, 4096);
writeOpt = leveldb_writeoptions_create();
if (writeOpt is null)
{
leveldb_options_destroy(opt);
opt = null;
return false;
}
readOpt = leveldb_readoptions_create();
if (readOpt is null)
{
leveldb_options_destroy(opt);
opt = null;
leveldb_writeoptions_destroy(writeOpt);
writeOpt = null;
return false;
}
char* errptr = null;
scope(failure) if (errptr) leveldb_free(errptr);
db = leveldb_open(opt, toStringz(config.business.data.path.value), &errptr);
return !errptr;
}
static void close()
{
leveldb_options_destroy(opt);
opt = null;
leveldb_writeoptions_destroy(writeOpt);
writeOpt = null;
leveldb_readoptions_destroy(readOpt);
readOpt = null;
leveldb_close(db);
db = null;
}
static bool put(K, V)(const K key, const V val)
{
char* errptr = null;
scope(failure) if (errptr) leveldb_free(errptr);
static if (isSomeString!V || isArray!V)
leveldb_put(db, writeOpt, key.ptr, key.length, val.ptr, val.length, &errptr);
else
leveldb_put(db, writeOpt, key.ptr, key.length, cast(char*) &val, val.sizeof, &errptr);
return !errptr;
}
static bool remove(T)(const T key)
{
char* errptr = null;
scope(failure) if (errptr) leveldb_free(errptr);
leveldb_delete(db, writeOpt, key.ptr, key.length, &errptr);
return !errptr;
}
static bool get_object(T, V)(const T key, out V value)
if (!is(V == interface))
{
char* errptr = null;
scope(failure) if (errptr) leveldb_free(errptr);
size_t vallen;
auto valptr = leveldb_get(db, readOpt, key.ptr, key.length, &vallen, &errptr);
scope(exit) if (valptr !is null) leveldb_free(valptr);
if (errptr || (valptr is null))
{
return false;
}
static if (isSomeString!V || isArray!V)
{
value = cast(V) (cast(char[]) (valptr)[0..vallen]).dup;
}
else static if (is(V == class))
{
if (typeid(V).sizeof > vallen)
{
return false;
}
value = *(cast(V*) valptr).dup;
}
else
{
if (V.sizeof > vallen)
{
return false;
}
value = *(cast(V*) valptr);
}
return true;
}
static T get(T)(const string key, const T defaultValue)
{
T v;
if (!get_object(key, v))
{
v = defaultValue;
}
return v;
}
}
| D |
version https://git-lfs.github.com/spec/v1
oid sha256:5a97661ef604414ace8123872c2467fda1b7980e8ecc88a2ac0d1aa97b843aa5
size 520
| D |
instance ORG_841_Silas(Npc_Default)
{
name[0] = "Silas";
npcType = npctype_main;
guild = GIL_ORG;
level = 15;
voice = 6;
id = 841;
attribute[ATR_STRENGTH] = 90;
attribute[ATR_DEXTERITY] = 70;
attribute[ATR_MANA_MAX] = 0;
attribute[ATR_MANA] = 0;
attribute[ATR_HITPOINTS_MAX] = 250;
attribute[ATR_HITPOINTS] = 250;
Mdl_SetVisual(self,"HUMANS.MDS");
Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds");
Mdl_SetVisualBody(self,"hum_body_Naked0",0,3,"Hum_Head_FatBald",5,1,org_armor_h);
B_Scale(self);
Mdl_SetModelFatness(self,0);
fight_tactic = FAI_HUMAN_Strong;
Npc_SetTalentSkill(self,NPC_TALENT_BOW,1);
Npc_SetTalentSkill(self,NPC_TALENT_1H,2);
CreateInvItems(self,ItMiNugget,60);
CreateInvItems(self,ItFoRice,5);
CreateInvItems(self,ItFoApple,5);
CreateInvItems(self,ItFoBooze,15);
CreateInvItems(self,ItMi_Alchemy_Alcohol_01,10);
CreateInvItems(self,ItFo_Potion_Health_01,5);
CreateInvItems(self,ItFo_Potion_Health_02,2);
CreateInvItems(self,ItFo_Potion_Mana_01,5);
CreateInvItems(self,ItFo_Potion_Mana_02,2);
CreateInvItems(self,ItFo_Potion_Water_01,5);
CreateInvItems(self,ItMiJoint_1,5);
CreateInvItems(self,ItMiJoint_2,3);
CreateInvItems(self,ItMiJoint_3,1);
EquipItem(self,Silas_Axt);
EquipItem(self,ItRw_Bow_Long_01);
CreateInvItems(self,ItAmArrow,100);
daily_routine = Rtn_start_841;
};
func void Rtn_start_841()
{
TA_Boss(10,0,3,0,"NC_TAVERN_ROOM04");
TA_Sleep(3,0,10,0,"NC_TAVERN_BACKROOM09");
};
| D |
import std.file;
import std.stdio;
import std.range;
import std.path;
import std.algorithm;
import std.json;
import tokens;
import parser;
import dprinter;
import scanner;
import ast;
import namer;
import typenames;
void main(string[] args)
{
Module[] asts;
auto srcdir = args[1];
auto destdir = args[2];
auto settings = parseJSON(readText("settings.json")).object;
auto src = settings["src"].array.map!"a.str"().array;
auto mapping = settings["mapping"].array.loadMapping();
foreach(t; settings["basicTypes"].array.map!"a.str")
basicTypes[t] = false;
foreach(t; settings["structTypes"].array.map!"a.str")
structTypes[t] = false;
foreach(t; settings["classTypes"].array.map!"a.str")
classTypes[t] = false;
foreach(t; settings["rootclasses"].array.map!"a.str")
rootClasses[t] = false;
foreach(t; settings["overriddenfuncs"].array.map!(j => j.array.map!("a.str").array))
overridenFuncs ~= t;
foreach(t; settings["nonfinalclasses"].array.map!"a.str")
nonFinalClasses ~= t;
auto scan = new Scanner();
foreach(xfn; src)
{
auto fn = buildPath(srcdir, xfn);
writeln("loading -- ", fn);
assert(fn.exists(), fn ~ " does not exist");
auto pp = cast(string)read(fn);
pp = pp.replace("\"v\"\n#include \"verstr.h\"\n ;", "__IMPORT__;");
asts ~= parse(Lexer(pp, fn), fn);
asts[$-1].visit(scan);
}
foreach(t, used; basicTypes)
if (!used)
writeln("type ", t, " not referenced");
foreach(t, used; structTypes)
if (!used)
writeln("type ", t, " not referenced");
foreach(t, used; classTypes)
if (!used)
writeln("type ", t, " not referenced");
writeln("collapsing ast...");
auto superast = collapse(asts, scan);
auto map = buildMap(superast);
auto longmap = buildLongMap(superast);
bool failed;
try { mkdir(destdir); } catch {}
foreach(m; mapping)
{
auto dir = buildPath(destdir, m.p);
if (m.p.length)
try { mkdir(dir); } catch {}
auto fn = buildPath(dir, m.m).setExtension(".d");
auto f = File(fn, "wb");
writeln("writing -- ", fn);
f.writeln(
"// Compiler implementation of the D programming language
// Copyright (c) 1999-2014 by Digital Mars
// All Rights Reserved
// written by Walter Bright
// http://www.digitalmars.com
// License for redistribution is by either the Artistic License
// in artistic.txt, or the GNU General Public License in gnu.txt.
// See the included readme.txt for details.");
f.writeln();
if (m.p.length)
f.writefln("module %s.%s;", m.p, m.m);
else
f.writefln("module %s;", m.m);
f.writeln();
{
bool found;
foreach(i; m.imports)
{
if (i.startsWith("root."))
{
if (!found)
f.writef("import %s", i);
else
f.writef(", %s", i);
found = true;
}
}
if (found)
f.writeln(";");
}
{
bool found;
foreach(i; m.imports)
{
if (!i.startsWith("root."))
{
if (!found)
f.writef("import %s", i);
else
f.writef(", %s", i);
found = true;
}
}
if (found)
f.writeln(";");
}
if (m.imports.length)
f.writeln();
foreach(e; m.extra)
{
f.writeln(e);
}
if (m.extra.length)
f.writeln();
auto printer = new DPrinter((string s) { f.write(s); }, scan);
foreach(d; m.members)
{
if (auto p = d in map)
{
if (!p.d)
{
writeln(d, " needs mangled name");
foreach(id, x; longmap)
{
if (id.startsWith(d))
{
writeln(" - ", id);
}
}
}
else
{
printer.visitX(p.d);
p.count++;
}
}
else if (auto p = d in longmap)
{
assert(p.d);
map[p.d.getName].count++;
printer.visitX(p.d);
p.count++;
}
else
{
writeln("Not found: ", d);
failed = true;
}
}
}
foreach(id, d; map)
{
if (d.count == 0)
{
assert(d.d, id);
writeln("unreferenced: ", d.d.getName);
failed = true;
}
if (d.count > 1 && d.d)
{
writeln("duplicate: ", d.d.getName);
}
}
foreach(id, d; longmap)
{
if (d.count > 1)
{
assert(d.d);
writeln("duplicate: ", d.d.getName);
}
}
if (failed)
assert(0);
}
struct D
{
Declaration d;
int count;
}
D[string] buildMap(Module m)
{
D[string] map;
foreach(d; m.decls)
{
auto s = d.getName();
if (s in map)
map[s] = D(null, 0);
else
map[s] = D(d, 0);
}
return map;
}
D[string] buildLongMap(Module m)
{
D[string] map;
foreach(d; m.decls)
{
auto s = d.getLongName();
assert(s !in map, s);
map[s] = D(d, 0);
}
return map;
}
struct M
{
string m;
string p;
string[] imports;
string[] members;
string[] extra;
}
auto loadMapping(JSONValue[] modules)
{
M[] r;
foreach(j; modules)
{
auto imports = j.object["imports"].array.map!"a.str"().array;
sort(imports);
string[] extra;
if ("extra" in j.object)
extra = j.object["extra"].array.map!"a.str"().array;
r ~= M(
j.object["module"].str,
j.object["package"].str,
imports,
j.object["members"].array.map!"a.str"().array,
extra
);
}
return r;
}
| D |
/Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Result+Alamofire.o : /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartFormData.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartUpload.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AlamofireExtended.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Protected.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPMethod.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Combine.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Result+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Response.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/SessionDelegate.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoding.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Session.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Validation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ResponseSerialization.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestTaskMap.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RedirectHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AFError.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/EventMonitor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Notifications.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPHeaders.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Request.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Result+Alamofire~partial.swiftmodule : /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartFormData.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartUpload.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AlamofireExtended.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Protected.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPMethod.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Combine.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Result+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Response.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/SessionDelegate.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoding.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Session.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Validation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ResponseSerialization.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestTaskMap.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RedirectHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AFError.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/EventMonitor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Notifications.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPHeaders.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Request.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Result+Alamofire~partial.swiftdoc : /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartFormData.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartUpload.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AlamofireExtended.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Protected.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPMethod.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Combine.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Result+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Response.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/SessionDelegate.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoding.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Session.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Validation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ResponseSerialization.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestTaskMap.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RedirectHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AFError.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/EventMonitor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Notifications.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPHeaders.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Request.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Result+Alamofire~partial.swiftsourceinfo : /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartFormData.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartUpload.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AlamofireExtended.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Protected.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPMethod.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Combine.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Result+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Response.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/SessionDelegate.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoding.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Session.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Validation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ResponseSerialization.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestTaskMap.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RedirectHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AFError.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/EventMonitor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Notifications.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPHeaders.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Request.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
/Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Build/Intermediates/SnapKit.build/Release-iphonesimulator/SnapKit iOS.build/Objects-normal/x86_64/ConstraintRelation.o : /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/Constraint.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/SnapKit.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/Debugging.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintRelation.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintDescription.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/View+SnapKit.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/EdgeInsets.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ViewController+SnapKit.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintMaker.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintAttributes.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/LayoutConstraint.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintItem.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/SnapKit.h /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Build/Intermediates/SnapKit.build/Release-iphonesimulator/SnapKit\ iOS.build/unextended-module.modulemap /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/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Build/Intermediates/SnapKit.build/Release-iphonesimulator/SnapKit iOS.build/Objects-normal/x86_64/ConstraintRelation~partial.swiftmodule : /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/Constraint.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/SnapKit.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/Debugging.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintRelation.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintDescription.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/View+SnapKit.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/EdgeInsets.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ViewController+SnapKit.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintMaker.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintAttributes.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/LayoutConstraint.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintItem.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/SnapKit.h /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Build/Intermediates/SnapKit.build/Release-iphonesimulator/SnapKit\ iOS.build/unextended-module.modulemap /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/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Build/Intermediates/SnapKit.build/Release-iphonesimulator/SnapKit iOS.build/Objects-normal/x86_64/ConstraintRelation~partial.swiftdoc : /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/Constraint.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/SnapKit.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/Debugging.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintRelation.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintDescription.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/View+SnapKit.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/EdgeInsets.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ViewController+SnapKit.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintMaker.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintAttributes.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/LayoutConstraint.swift /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/ConstraintItem.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Source/SnapKit.h /Users/jakob/Development/vinther-moen/carthage-example/Carthage/Checkouts/SnapKit/Build/Intermediates/SnapKit.build/Release-iphonesimulator/SnapKit\ iOS.build/unextended-module.modulemap /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
| D |
instance Mod_4014_UntoterNovize_15_MT (Npc_Default)
{
//-------- primary data --------
name = "Untoter Novize";
Npctype = Npctype_UNTOTERNOVIZE;
guild = GIL_STRF;
level = 20;
voice = 0;
id = 4014;
//-------- abilities --------
B_SetAttributesToChapter (self, 4);
EquipItem (self, ItMw_1h_Nov_Mace);
//-------- visuals --------
// animations
Mdl_SetVisual (self,"HUMANS.MDS");
Mdl_ApplyOverlayMds (self,"Humans_Relaxed.mds");
// body mesh ,bdytex,skin,head mesh ,headtex,teethtex,ruestung
Mdl_SetVisualBody (self,"hum_body_Naked0", 14, 0,"Hum_Head_FatBald", 200, 1, ITAR_UntoterNovize);
Mdl_SetModelFatness(self,0);
B_SetFightSkills (self, 65);
B_CreateAmbientInv (self);
fight_tactic = FAI_HUMAN_STRONG;
//-------- Talente --------
//-------- inventory --------
//-------------Daily Routine-------------
daily_routine = Rtn_start_4014;
//------------- //MISSIONs-------------
};
FUNC VOID Rtn_start_4014 ()
{
TA_Stand_WP (02,00,08,00,"LABYRINTH_71");
TA_Stand_WP (08,00,02,00,"LABYRINTH_71");
}; | D |
/*
* Copyright (C) 2013 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.
*/
package androidx.mediarouter.media;
import android.os.Bundle;
/**
* Constants for specifying metadata about a media item as a {@link Bundle}.
* <p>
* This class is part of the remote playback protocol described by the
* {@link MediaControlIntent MediaControlIntent} class.
* </p><p>
* Media item metadata is described as a bundle of key/value pairs as defined
* in this class. The documentation specifies the type of value associated
* with each key.
* </p><p>
* An application may specify additional custom metadata keys but there is no guarantee
* that they will be recognized by the destination.
* </p>
*/
public final class MediaItemMetadata {
/*
* Note: MediaMetadataRetriever also defines a collection of metadata keys that can be
* retrieved from a content stream although the representation is somewhat different here
* since we are sending the data to a remote endpoint.
*/
private MediaItemMetadata() {
}
/**
* String key: Album artist name.
* <p>
* The value is a string suitable for display.
* </p>
*/
public static final String KEY_ALBUM_ARTIST = "android.media.metadata.ALBUM_ARTIST";
/**
* String key: Album title.
* <p>
* The value is a string suitable for display.
* </p>
*/
public static final String KEY_ALBUM_TITLE = "android.media.metadata.ALBUM_TITLE";
/**
* String key: Artwork Uri.
* <p>
* The value is a string URI for an image file associated with the media item,
* such as album or cover art.
* </p>
*/
public static final String KEY_ARTWORK_URI = "android.media.metadata.ARTWORK_URI";
/**
* String key: Artist name.
* <p>
* The value is a string suitable for display.
* </p>
*/
public static final String KEY_ARTIST = "android.media.metadata.ARTIST";
/**
* String key: Author name.
* <p>
* The value is a string suitable for display.
* </p>
*/
public static final String KEY_AUTHOR = "android.media.metadata.AUTHOR";
/**
* String key: Composer name.
* <p>
* The value is a string suitable for display.
* </p>
*/
public static final String KEY_COMPOSER = "android.media.metadata.COMPOSER";
/**
* String key: Track title.
* <p>
* The value is a string suitable for display.
* </p>
*/
public static final String KEY_TITLE = "android.media.metadata.TITLE";
/**
* Integer key: Year of publication.
* <p>
* The value is an integer year number.
* </p>
*/
public static final String KEY_YEAR = "android.media.metadata.YEAR";
/**
* Integer key: Track number (such as a track on a CD).
* <p>
* The value is a one-based integer track number.
* </p>
*/
public static final String KEY_TRACK_NUMBER = "android.media.metadata.TRACK_NUMBER";
/**
* Integer key: Disc number within a collection.
* <p>
* The value is a one-based integer disc number.
* </p>
*/
public static final String KEY_DISC_NUMBER = "android.media.metadata.DISC_NUMBER";
/**
* Long key: Item playback duration in milliseconds.
* <p>
* The value is a <code>long</code> number of milliseconds.
* </p><p>
* The duration metadata is only a hint to enable a remote media player to
* guess the duration of the content before it actually opens the media stream.
* The remote media player should still determine the actual content duration from
* the media stream itself independent of the value that may be specified by this key.
* </p>
*/
public static final String KEY_DURATION = "android.media.metadata.DURATION";
}
| D |
module ScriptClasses;
private import std.conv;
private import std.math;
private import std.encoding;
private import std.c.string;
private import std.c.stdlib;
private import IndentedStreamWriter;
private import Flags : Flags;
public alias ulong QWord; // Total size: 0x08
static assert(QWord.sizeof == 0x08);
public alias void* Pointer; // Total size: 0x04
static assert(Pointer.sizeof == 0x04);
public struct ScriptArray(T) // Total size: 0x0C
{
private:
T* mData;
int mCount;
int mMax;
public:
@property
{
final auto ref T* Data() { return mData; }
final auto ref int Count() { return mCount; }
final auto ref int Max() { return mMax; }
}
// The slice operation that occurs first takes care of
// the bounds checking for us.
auto ref T opIndex(uint idx) { return mData[0..mCount][idx]; }
auto ref T opIndex(int idx) { return mData[0..mCount][idx]; }
}
static assert(ScriptArray!(int).sizeof == 0x0C);
public struct ScriptString // Total size: 0x0C
{
private:
ScriptArray!(wchar) mString;
public:
public this(string str)
{
wstring dst;
transcode(str, dst);
mString.Max = dst.length + 1;
mString.Count = mString.Max;
mString.Data = cast(wchar*)calloc(wchar.sizeof * (mString.Count), 1);
mString.Data[0..mString.Count][] = dst;
}
string ToString()
{
string dst;
transcode(cast(immutable wchar[])mString.Data[0..mString.Count - 1], dst); // The wide string is null terminated.
return dst;
}
}
public static final ScriptString ToScriptString(string pThis) { return ScriptString(pThis); }
static assert(ScriptString.sizeof == 0x0C);
public struct ScriptNameEntry // Total size: N/A (This structure is dynamically sized)
{
private:
byte __padding__[0x10];
char mName[1024];
public:
@property immutable(string) Name() { return cast(immutable char[])mName[0..strlen(mName.ptr)]; }
}
public struct ScriptName // Total size: 0x08
{
private:
int mIndex;
int mInstanceNumber;
static __gshared ScriptArray!(ScriptNameEntry*)* mNameArray;
public:
final string GetName()
{
if (mIndex >= mNameArray.Count)
return "Failed to get name";
if (mInstanceNumber <= 0)
return (*mNameArray)[mIndex].Name;
else
return (*mNameArray)[mIndex].Name ~ "_" ~ to!string(mInstanceNumber - 1); // Because UE is just weird like that.
}
@property final static auto ref ScriptArray!(ScriptNameEntry*)* NameArray() { return mNameArray; }
}
static assert(ScriptName.sizeof == 0x08);
extern(C++) public interface ScriptObject // Total size: 0x3C
{
public:
@property
{
final auto ref int ObjectInternalInteger() { return *cast(int*)(cast(size_t)cast(void*)this + 0x04); } // 0x04 (0x04)
final auto ref Flags!(ScriptObjectFlags) ObjectFlags() { return *cast(Flags!(ScriptObjectFlags)*)(cast(size_t)cast(void*)this + 0x08); } // 0x08 (0x08)
final auto ref ScriptObject HashNext() { return *cast(ScriptObject*)(cast(size_t)cast(void*)this + 0x10); } // 0x10 (0x04)
final auto ref ScriptObject HashOuterNext() { return *cast(ScriptObject*)(cast(size_t)cast(void*)this + 0x14); } // 0x14 (0x04)
final auto ref void* StateFrame() { return *cast(void**)(cast(size_t)cast(void*)this + 0x18); } // 0x18 (0x04)
final auto ref ScriptObject Linker() { return *cast(ScriptObject*)(cast(size_t)cast(void*)this + 0x1C); } // 0x1C (0x04)
final auto ref void* LinkerIndex() { return *cast(void**)(cast(size_t)cast(void*)this + 0x20); } // 0x20 (0x04)
final auto ref int NetIndex() { return *cast(int*)(cast(size_t)cast(void*)this + 0x24); } // 0x24 (0x04)
final auto ref ScriptObject Outer() { return *cast(ScriptObject*)(cast(size_t)cast(void*)this + 0x28); } // 0x28 (0x04)
final auto ref ScriptName Name() { return *cast(ScriptName*)(cast(size_t)cast(void*)this + 0x2C); } // 0x2C (0x08)
final auto ref ScriptClass ObjectClass() { return *cast(ScriptClass*)(cast(size_t)cast(void*)this + 0x34); } // 0x34 (0x04)
final auto ref ScriptObject ObjectArchetype() { return *cast(ScriptObject*)(cast(size_t)cast(void*)this + 0x38); } // 0x38 (0x04)
}
private static __gshared ScriptArray!(ScriptObject)* mObjectArray;
@property final static ScriptArray!(ScriptObject)* ObjectArray() { return mObjectArray; }
//private static __gshared ScriptClass[string] mClassLookup;
//private static __gshared ScriptFunction[string] mFunctionLookup;
//private static __gshared ScriptStruct[string] mStructLookup;
final static void SetObjectArray(ScriptArray!(ScriptObject)* arr)
{
mObjectArray = arr;
//for (int i = 0; i < ObjectArray.Count; i++)
//{
// ScriptObject obj = (*ObjectArray)[i];
// switch (obj.ObjectClass.GetName())
// {
// case "Class":
// mClassLookup[obj.GetFullName()] = cast(ScriptClass)obj;
// break;
// case "Function":
// mFunctionLookup[obj.GetFullName()] = cast(ScriptFunction)obj;
// break;
// case "ScriptStruct":
// mStructLookup[obj.GetFullName()] = cast(ScriptStruct)obj;
// break;
// default:
// break;
// }
//}
}
final static T Find(T)(string name)
{
//static if (is(T == ScriptClass))
// return mClassLookup.get(name, null);
//else static if (is(T == ScriptFunction))
// return mFunctionLookup.get(name, null);
//else static if (is(T == ScriptStruct))
// return mStructLookup.get(name, null);
//else
//{
IndentedStreamWriter wtr = new IndentedStreamWriter( "TribesAscendSDK-Log.txt" );
wtr.WriteLine("%s", name);
for(int i = 0; i < ObjectArray.Count; i++)
{
ScriptObject object = (*ObjectArray)[i];
if(object.GetFullName() == name)
{
return cast(T)object;
}
}
return null;
//}
}
final immutable(string) GetName() { return Name.GetName(); }
final string GetFullName()
{
if(ObjectClass)
{
string fullName = GetName();
for (ScriptObject objOuter = Outer; objOuter !is null; objOuter = objOuter.Outer)
fullName = objOuter.GetName() ~ "." ~ fullName;
return ObjectClass.GetName() ~ " " ~ fullName;
}
return "Failed to get name";
}
private:
/*void Vfunc00();
void Vfunc01();
void Vfunc02();
void Vfunc03();
void Vfunc04();
void Vfunc05();
void Vfunc06();
void Vfunc07();
void Vfunc08();
void Vfunc09();
void Vfunc10();
void Vfunc11();
void Vfunc12();
void Vfunc13();
void Vfunc14();
void Vfunc15();
void Vfunc16();
void Vfunc17();
void Vfunc18();
void Vfunc19();
void Vfunc20();
void Vfunc21();
void Vfunc22();
void Vfunc23();
void Vfunc24();
void Vfunc25();
void Vfunc26();
void Vfunc27();
void Vfunc28();
void Vfunc29();
void Vfunc30();
void Vfunc31();
void Vfunc32();
void Vfunc33();
void Vfunc34();
void Vfunc35();
void Vfunc36();
void Vfunc37();
void Vfunc38();
void Vfunc39();
void Vfunc40();
void Vfunc41();
void Vfunc42();
void Vfunc43();
void Vfunc44();
void Vfunc45();
void Vfunc46();
void Vfunc47();
void Vfunc48();
void Vfunc49();
void Vfunc50();
void Vfunc51();
void Vfunc52();
void Vfunc53();
void Vfunc54();
void Vfunc55();
void Vfunc56();
void Vfunc57();
void Vfunc58();
void Vfunc59();
void Vfunc60();
void Vfunc61();
void Vfunc62();
void Vfunc63();
void Vfunc64();
void Vfunc65();*/
public:
extern(C) final void ProcessEvent(ScriptFunction func, void* params, void* result)
{
asm
{
naked;
push EBP;
mov EBP, ESP;
push EAX;
push dword ptr [EBP+0x14];
push dword ptr [EBP+0x10];
push dword ptr [EBP+0xC];
mov ECX, [EBP+0x8];
mov EAX, [ECX];
call [EAX+0x108];
pop EAX;
pop EBP;
ret;
}
}
}
public enum ScriptObjectFlags : ulong
{
// Unused = 1UL << 0,
/**
* In a singular function.
*/
InSingularFunction = 1UL << 1,
/**
* Object did a state change.
*/
StateChanged = 1UL << 2,
/**
* For debugging PostLoad calls.
*/
DebugPostLoad = 1UL << 3,
/**
* For debugging Serialize calls.
*/
DebugSerialize = 1UL << 4,
/**
* For debugging FinishDestroy calls.
*/
DebugFinishDestroyed = 1UL << 5,
/**
* Object is selected in one of the editors browser windows.
*/
EditorSelected = 1UL << 6,
/**
* This component's template was deleted, so should not be used.
*/
ZombieComponent = 1UL << 7,
/**
* Property is protected, and may only be accessed from its owner class or subclasses.
*/
Protected = 1UL << 8,
/**
* This object is its class's default object.
*/
ClassDefaultObject = 1UL << 9,
/**
* This object is a template for another object - treat it like a class default object.
*/
ArchetypeObject = 1UL << 10,
/**
* Forces this object to be put into the export table when saving a package regardless of outer.
*/
ForceExport = 1UL << 11,
/**
* Set if reference token stream has already been assembled.
*/
TokenStreamAssembled = 1UL << 12,
/**
* Object's size no longer matches the size of its C++ class. (only used during make, for native classes whose properties have changed)
*/
MisalignedObject = 1UL << 13,
/**
* Object will not be garbage collected, even if unreferenced.
*/
RootSet = 1UL << 14,
/**
* BeginDestroy has been called on the object.
*/
BeginDestroyed = 1UL << 15,
/**
* FinishDestroy has been called on the object.
*/
FinishDestroyed = 1UL << 16,
/**
* Whether object is rooted as being part of the root set. (garbage collection)
*/
DebugBeginDestroyed = 1UL << 17,
/**
* Marked by content cooker.
*/
MarkedByCooker = 1UL << 18,
/**
* Whether resource object is localized.
*/
LocalizedResource = 1UL << 19,
/**
* Whether InitProperties has been called on this object.
*/
InitializedProperties = 1UL << 20,
/**
* Indicates that this struct will receive additional member properties from the script patcher.
*/
PendingFieldPatches = 1UL << 21,
/**
* This object has been pointed to by a cross-level reference, and therefore requires additional cleanup upon deletion.
*/
IsCrossLevelReferenced = 1UL << 22,
// Unused = 1UL << 23,
// Unused = 1UL << 24,
// Unused = 1UL << 25,
// Unused = 1UL << 26,
// Unused = 1UL << 27,
// Unused = 1UL << 28,
// Unused = 1UL << 29,
// Unused = 1UL << 30,
/**
* Object has been saved via SavePackage. (Temporary)
*/
Saved = 1UL << 31,
/**
* Object is transactional.
*/
Transactional = 1UL << 32,
/**
* Object is not reachable on the object graph.
*/
Unreachable = 1UL << 33,
/**
* Object is visible outside its package.
*/
Public = 1UL << 34,
/**
* Temporary import tag in load/save.
*/
TagImport = 1UL << 35,
/**
* Temporary export tag in load/save.
*/
TagExport = 1UL << 36,
/**
* Object marked as obsolete and should be replaced.
*/
Obsolete = 1UL << 37,
/**
* Check during garbage collection.
*/
TagGarbage = 1UL << 38,
/**
* Object is being disregard for GC as its static and itself and all references are always loaded.
*/
DisregardForGC = 1UL << 39,
/**
* Object is localized by instance name, not by class.
*/
LocalizedPerObject = 1UL << 40,
/**
* During load, indicates object needs loading.
*/
NeedLoad = 1UL << 41,
/**
* Object is being asynchronously loaded.
*/
AsyncLoading = 1UL << 42,
/**
* During load, indicates that the object still needs to instance subobjects and fixup serialized component references.
*/
NeedPostLoadSubObjects = 1UL << 43,
/**
* Suppress log name.
*/
Suppress = 1UL << 44,
/**
* Within an EndState call.
*/
InEndState = 1UL << 45,
/**
* Don't save object.
*/
Transient = 1UL << 46,
/**
* Whether the object has already been cooked.
*/
Cooked = 1UL << 47,
/**
* In-file load for the game client.
*/
LoadForClient = 1UL << 48,
/**
* In-file load for the game server.
*/
LoadForServer = 1UL << 49,
/**
* In-file load for the editor.
*/
LoadForEditor = 1UL << 50,
/**
* Keep object around for editing even if unreferenced.
*/
Standalone = 1UL << 51,
/**
* Don't load this object for the game client.
*/
NotForClient = 1UL << 52,
/**
* Don't load this object for the game server.
*/
NotForServer = 1UL << 53,
/**
* Don't load this object for the editor.
*/
NotForEditor = 1UL << 54,
// Unused = 1UL << 55,
/**
* Object needs to be PostLoad'ed.
*/
NeedPostLoad = 1UL << 56,
/**
* Has an execution stack.
*/
HasStack = 1UL << 57,
/**
* Native. (ScriptClass only)
*/
Native = 1UL << 58,
/**
* Marked. (for debugging)
*/
Marked = 1UL << 59,
/**
* ShutdownAfterError called.
*/
ErrorShutdown = 1UL << 60,
/**
* Object is pending destruction. (invalid for gameplay but still a valid object)
*/
PendingKill = 1UL << 61,
// Unused = 1UL << 62,
// Unused = 1UL << 63,
/**
* All context flags.
*/
ContextFlags = NotForClient | NotForServer | NotForEditor,
/**
* Flags affecting loading.
*/
LoadContextFlags = LoadForClient | LoadForServer | LoadForEditor,
/**
* Flags to load from Unrealfiles.
*/
LoadedFlags = ContextFlags | LoadContextFlags | Public | Standalone | Native | Obsolete | Protected | Transactional | HasStack | LocalizedPerObject | ClassDefaultObject | ArchetypeObject | LocalizedResource,
/**
* Flags to persist across loads.
*/
KeptFlags = Native | Marked | LocalizedPerObject | MisalignedObject | DisregardForGC | RootSet | LocalizedResource,
/**
* Script-accessibility flags.
*/
ScriptMask = Transactional | Public | Transient | NotForClient | NotForServer | NotForEditor | Standalone,
/**
* Undo/redo will store/restore these.
*/
UndoRedoMask = PendingKill,
/**
* Sub-objects will inherit these flags from their SuperObject.
*/
FlagsPropagatedToSubObjects = Public | ArchetypeObject | Transactional,
AllFlags = 0xFFFFFFFFFFFFFFFF,
}
static assert(ScriptObjectFlags.sizeof == 0x08);
extern(C++) public interface ScriptField : ScriptObject // Total size: 0x40
{
public:
@property
{
final auto ref ScriptField Next() { return *cast(ScriptField*)(cast(size_t)cast(void*)this + 0x3C); } // 0x3C (0x04)
}
}
extern(C++) public interface ScriptEnum : ScriptField // Total size: 0x4C
{
public:
@property
{
final auto ref ScriptArray!(ScriptName) ValueNames() { return *cast(ScriptArray!(ScriptName)*)(cast(size_t)cast(void*)this + 0x40); } // 0x40 (0x0C)
}
}
extern(C++) public interface ScriptConst : ScriptField // Total size: 0x4C
{
public:
@property
{
final auto ref ScriptString Value() { return *cast(ScriptString*)(cast(size_t)cast(void*)this + 0x40); } // 0x40 (0x0C)
}
}
extern(C++) public interface ScriptStruct : ScriptField // Total size: 0x90
{
public:
@property
{
// __padding0__ 0x40 (0x08)
final auto ref ScriptField Super() { return *cast(ScriptField*)(cast(size_t)cast(void*)this + 0x48); } // 0x48 (0x04)
final auto ref ScriptField Children() { return *cast(ScriptField*)(cast(size_t)cast(void*)this + 0x4C); } // 0x4C (0x04)
final auto ref uint PropertySize() { return *cast(uint*)(cast(size_t)cast(void*)this + 0x50); } // 0x50 (0x04)
// __padding1__ 0x54 (0x3C)
}
}
extern(C++) public interface ScriptFunction : ScriptStruct // Total size: 0xB4
{
public:
@property
{
final auto ref Flags!(ScriptFunctionFlags) FunctionFlags() { return *cast(Flags!(ScriptFunctionFlags)*)(cast(size_t)cast(void*)this + 0x90); } // 0x90 (0x04)
final auto ref ushort Native() { return *cast(ushort*)(cast(size_t)cast(void*)this + 0x94); } // 0x94 (0x02)
final auto ref ushort RepOffset() { return *cast(ushort*)(cast(size_t)cast(void*)this + 0x96); } // 0x96 (0x02)
final auto ref ScriptName FriendlyName() { return *cast(ScriptName*)(cast(size_t)cast(void*)this + 0x98); } // 0x98 (0x08)
final auto ref ushort NumParams() { return *cast(ushort*)(cast(size_t)cast(void*)this + 0xA0); } // 0xA0 (0x02)
final auto ref ushort ParamsSize() { return *cast(ushort*)(cast(size_t)cast(void*)this + 0xA2); } // 0xA2 (0x02)
final auto ref uint ReturnValOffset() { return *cast(uint*)(cast(size_t)cast(void*)this + 0xA4); } // 0xA4 (0x04)
// __padding__ 0xA8 (0x04)
final auto ref void* Function() { return *cast(void**)(cast(size_t)cast(void*)this + 0xAC); } // 0xAC (0x04)
}
}
public enum ScriptFunctionFlags : uint // Total size: 0x04
{
/**
* Function is final (prebindable, non-overridable function).
*/
Final = 1 << 0,
/**
* Function has been defined (not just declared).
*/
Defined = 1 << 1,
/**
* Function is an iterator.
*/
Iterator = 1 << 2,
/**
* Function is a latent state function.
*/
Latent = 1 << 3,
/**
* Unary operator is a prefix operator.
*/
PreOperator = 1 << 4,
/**
* Function cannot be reentered.
*/
Singular = 1 << 5,
/**
* Function is network-replicated.
*/
Net = 1 << 6,
/**
* Function should be sent reliably on the network.
*/
NetReliable = 1 << 7,
/**
* Function executed on the client side.
*/
Simulated = 1 << 8,
/**
* Executable from command line.
*/
Exec = 1 << 9,
/**
* Native function.
*/
Native = 1 << 10,
/**
* Event function.
*/
Event = 1 << 11,
/**
* Operator function.
*/
Operator = 1 << 12,
/**
* Static function.
*/
Static = 1 << 13,
/**
* Function has optional parameters.
*/
HasOptionalParams = 1 << 14,
/**
* Function doesn't modify this object.
*/
Const = 1 << 15,
/**
* Return value is purely dependent on parameters; no state dependencies or internal state changes.
*/
Invarient = 1 << 16,
/**
* Function is accessible in all classes (if overridden, parameters much remain unchanged).
*/
Public = 1 << 17,
/**
* Function is accessible only in the class it is defined in (cannot be overriden, but function
* name may be reused in subclasses. IOW: if overridden, parameters don't need to match, and
* Super.Func() cannot be accessed since it's private.)
*/
Private = 1 << 18,
/**
* Function is accessible only in the class it is defined in and subclasses (if overridden, parameters much remain unchanged).
*/
Protected = 1 << 19,
/**
* Function is actually a delegate.
*/
Delegate = 1 << 20,
/**
* Function is executed on servers (set by replication code if passes check).
*/
NetServer = 1 << 21,
/**
* Function has out (pass by reference) parameters.
*/
HasOutParams = 1 << 22,
/**
* Function has structs that contain defaults.
*/
HasDefaults = 1 << 23,
/**
* Function is executed on clients.
*/
NetClient = 1 << 24,
/**
* Function is imported from a DLL.
*/
DLLImport = 1 << 25,
/**
* Function can be called from K2.
*/
K2Call = 1 << 26,
/**
* Function can be overriden/implemented from K2.
*/
K2Override = 1 << 27,
/**
* Function can be called from K2, and is also pure (produces no side effects).
* If you set this, you should set K2Call as well.
*/
K2Pure = 1 << 28,
InheritFuncFlags = Exec | Event,
OverrideFuncMatchFlags = Exec | Final | Latent | PreOperator | Iterator | Static | Public | Protected | Const,
NetFuncFlags = Net | NetReliable | NetServer | NetClient,
AllFlags = 0xFFFFFFFF,
}
static assert(ScriptFunctionFlags.sizeof == 0x04);
extern(C++) public interface ScriptState : ScriptStruct // Total size: 0xD8
{
public:
@property
{
// __padding__ 0x90 (0x48)
}
}
extern(C++) public interface ScriptClass : ScriptState // Total size: 0x01D4
{
public:
@property
{
// __padding__ 0xD8 (0xFC)
}
}
extern(C++) public interface ScriptProperty : ScriptField // Total size: 0x80
{
public:
@property
{
final auto ref uint ArrayDimentions() { return *cast(uint*)(cast(size_t)cast(void*)this + 0x40); } // 0x40 (0x04)
final auto ref uint ElementSize() { return *cast(uint*)(cast(size_t)cast(void*)this + 0x44); } // 0x44 (0x04)
final auto ref Flags!(ScriptPropertyFlags) PropertyFlags() { return *cast(Flags!(ScriptPropertyFlags)*)(cast(size_t)cast(void*)this + 0x48); } // 0x48 (0x08)
// __padding1__ 0x50 (0x10)
final auto ref uint Offset() { return *cast(uint*)(cast(size_t)cast(void*)this + 0x60); } // 0x60 (0x04)
// __padding2__ 0x64 (0x1C)
// Utility Properties
final bool IsConstant() { return PropertyFlags.HasFlag(ScriptPropertyFlags.Const); }
final bool IsOptionalParameter() { return PropertyFlags.HasFlag(ScriptPropertyFlags.OptionalParam); }
final bool IsOutParameter() { return PropertyFlags.HasFlag(ScriptPropertyFlags.OutParam); }
final bool IsParameter() { return PropertyFlags.HasFlag(ScriptPropertyFlags.Param); }
final bool IsReturnParameter() { return PropertyFlags.HasFlag(ScriptPropertyFlags.ReturnParam); }
final ScriptPropertyType Type()
{
switch (ObjectClass.GetName())
{
case "ArrayProperty":
return ScriptPropertyType.Array;
case "BoolProperty":
return ScriptPropertyType.Boolean;
case "ByteProperty":
if ((cast(ScriptByteProperty)this).EnumType !is null)
return ScriptPropertyType.Enum;
else
return ScriptPropertyType.Byte;
case "ClassProperty":
return ScriptPropertyType.Class;
case "ComponentProperty":
return ScriptPropertyType.Component;
case "DelegateProperty":
return ScriptPropertyType.Delegate;
case "FloatProperty":
return ScriptPropertyType.Float;
case "IntProperty":
return ScriptPropertyType.Integer;
case "InterfaceProperty":
return ScriptPropertyType.Interface;
case "MapProperty":
return ScriptPropertyType.Map;
case "NameProperty":
return ScriptPropertyType.Name;
case "ObjectProperty":
return ScriptPropertyType.Object;
case "StrProperty":
return ScriptPropertyType.String;
case "StructProperty":
return ScriptPropertyType.Struct;
default:
throw new Exception("Unknown object class '" ~ ObjectClass.GetName() ~ "' for a property!");
}
}
}
}
public enum ScriptPropertyType
{
Array,
Boolean,
Byte,
Class,
Component,
Delegate,
Enum,
Float,
Integer,
Interface,
Map,
Name,
Object,
String,
Struct,
}
public enum ScriptPropertyFlags : ulong // Total size: 0x08
{
/**
* Property is user-settable in the editor.
*/
Edit = 1UL << 0,
/**
* Actor's property always matches class's default actor property.
*/
Const = 1UL << 1,
/**
* Variable is writable by the input system.
*/
Input = 1UL << 2,
/**
* Object can be exported with actor.
*/
ExportObject = 1UL << 3,
/**
* Optional parameter. (if Param is set)
*/
OptionalParam = 1UL << 4,
/**
* Property is relevant to network replication.
*/
Net = 1UL << 5,
/**
* Indicates that elements of an array can be modified, but its size cannot be changed.
*/
EditFixedSize = 1UL << 6,
/**
* Function/When call parameter.
*/
Param = 1UL << 7,
/**
* Value is copied out after function call.
*/
OutParam = 1UL << 8,
/**
* Property is a short-circuitable evaluation function param.
*/
SkipParam = 1UL << 9,
/**
* Return value.
*/
ReturnParam = 1UL << 10,
/**
* Coerce arguments into this function parameter.
*/
CoerceParam = 1UL << 11,
/**
* Property is native: C++ code is responsible for serializing it.
*/
Native = 1UL << 12,
/**
* Property is transient: shouldn't be saved, zero-filled at load time.
*/
Transient = 1UL << 13,
/**
* Property should be loaded/saved as permanent profile.
*/
Config = 1UL << 14,
/**
* Property should be loaded as localizable text.
*/
Localized = 1UL << 15,
/**
* Property travels across levels/servers.
*/
Travel = 1UL << 16,
/**
* Property isn't editable in the editor.
*/
EditConst = 1UL << 17,
/**
* Load config from base class, not subclass.
*/
GlobalConfig = 1UL << 18,
/**
* Property contains component references.
*/
Component = 1UL << 19,
/**
* Property should never be exported as NoInit.
*/
AlwaysInit = 1UL << 20,
/**
* Property should always be reset to the default value during any type of duplication. (copy/paste, binary duplication, etc.)
*/
DuplicateTransient = 1UL << 21,
/**
* Fields need construction/destruction.
*/
NeedCtorLink = 1UL << 22,
/**
* Property should not be exported to the native class header file.
*/
NoExport = 1UL << 23,
/**
* Property should not be imported when creating an object from text. (copy/paste)
*/
NoImport = 1UL << 24,
/**
* Hide clear (and browse) button.
*/
NoClear = 1UL << 25,
/**
* Edit this object reference inline.
*/
EditInline = 1UL << 26,
/**
* References are set by clicking on actors in the editor viewports.
*/
EditorFindable = 1UL << 27,
/**
* EditInline with Use button.
*/
EditInlineUse = 1UL << 28,
/**
* Property is deprecated. Read it from an archive, but don't save it.
*/
Deprecated = 1UL << 29,
/**
* Indicates that this property should be exposed to data stores.
*/
DataBinding = 1UL << 30,
/**
* Native property should be serialized as text. (ImportText, ExportText)
*/
SerializeText = 1UL << 31,
/**
* Notify actors when a property is replicated.
*/
RepNotify = 1UL << 32,
/**
* Interpolatable property for use with matinee.
*/
Interpolate = 1UL << 33,
/**
* Property isn't transacted.
*/
NonTransactional = 1UL << 34,
/**
* Property should only be loaded in the editor.
*/
EditorOnly = 1UL << 35,
/**
* Property should not be loaded on console. (or be a console cooker commandlet)
*/
NotForConsole = 1UL << 36,
/**
* Retry replication of this property if it fails to be fully sent. (e.g. object references not yet available to serialize over the network)
*/
RepRetry = 1UL << 37,
/**
* Property is const outside of the class it was declared in.
*/
PrivateWrite = 1UL << 38,
/**
* Property is const outside of the class it was declared in and subclasses.
*/
ProtectedWrite = 1UL << 39,
/**
* Property should be ignored by archives which have ArIgnoreArchetypeRef set.
*/
ArchetypeProperty = 1UL << 40,
/**
* Property should never be shown in a properties window.
*/
EditHide = 1UL << 41,
/**
* Property can be edited using a text dialog box.
*/
EditTextBox = 1UL << 42,
// UNKNOWN = 1UL << 43,
/**
* Property can point across levels, and will be serialized properly, but assumes it's target exists in-game. (non-editor)
*/
CrossLevelPassive = 1UL << 44,
/**
* Property can point across levels, and will be serialized properly, and will be updated when the target is streamed in/out.
*/
CrossLevelActive = 1UL << 45,
ParamFlags = OptionalParam | Param | OutParam | SkipParam | ReturnParam | CoerceParam,
PropagateFromStruct = Const | Native | Transient,
PropagateToArrayInner = ExportObject | EditInline | EditInlineUse | Localized | Component | Config | AlwaysInit | EditConst | Deprecated | SerializeText | CrossLevelPassive | CrossLevelActive,
/**
* The flags that should never be set on interface properties.
*/
InterfaceClearMask = NeedCtorLink | ExportObject,
/**
* A combination of both cross level types.
*/
CrossLevel = CrossLevelPassive | CrossLevelActive,
}
static assert(ScriptPropertyFlags.sizeof == 0x08);
extern(C++) public interface ScriptObjectProperty : ScriptProperty // Total size: 0x84
{
public:
@property
{
final auto ref ScriptClass PropertyClass() { return *cast(ScriptClass*)(cast(size_t)cast(void*)this + 0x80); } // 0x80 (0x04)
}
}
extern(C++) public interface ScriptArrayProperty : ScriptProperty // Total size: 0x84
{
public:
@property
{
final auto ref ScriptProperty InnerProperty() { return *cast(ScriptProperty*)(cast(size_t)cast(void*)this + 0x80); } // 0x80 (0x04)
}
}
extern(C++) public interface ScriptBoolProperty : ScriptProperty // Total size: 0x84
{
public:
@property
{
final auto ref uint BitMask() { return *cast(uint*)(cast(size_t)cast(void*)this + 0x80); } // 0x80 (0x04)
}
}
extern(C++) public interface ScriptByteProperty : ScriptProperty // Total size: 0x84
{
public:
@property
{
final auto ref ScriptEnum EnumType() { return *cast(ScriptEnum*)(cast(size_t)cast(void*)this + 0x80); } // 0x80 (0x04)
}
}
/**
* Describes a pointer to a function bound to an Object.
*/
extern(C++) public interface ScriptDelegateProperty : ScriptProperty // Total size: 0x88
{
public:
@property
{
/**
* The function this delegate is mapped to.
*/
final auto ref ScriptFunction Function() { return *cast(ScriptFunction*)(cast(size_t)cast(void*)this + 0x80); } // 0x80 (0x04)
/**
* If this DelegateProperty corresponds to an actual delegate
* variable, as opposed to the hidden property the script
* compiler creates when you declare a delegate function,
* this points to the source delegate function (the function
* declared with the delegate keyword) used in the declaration
* of this delegate property.
*/
final auto ref ScriptFunction SourceDelegate() { return *cast(ScriptFunction*)(cast(size_t)cast(void*)this + 0x84); } // 0x84 (0x04)
}
}
/**
* Describes a dynamic map.
*/
extern(C++) public interface ScriptMapProperty : ScriptProperty // Total size: 0x88
{
public:
@property
{
final auto ref ScriptProperty Key() { return *cast(ScriptProperty*)(cast(size_t)cast(void*)this + 0x80); } // 0x80 (0x04)
final auto ref ScriptProperty Value() { return *cast(ScriptProperty*)(cast(size_t)cast(void*)this + 0x84); } // 0x84 (0x04)
}
}
/**
* This variable type provides safe access to a native interface
* pointer.
*/
extern(C++) public interface ScriptInterfaceProperty : ScriptProperty // Total size: 0x84
{
public:
@property
{
/**
* The native interface class that this interface property refers to.
*/
final auto ref ScriptClass InterfaceClass() { return *cast(ScriptClass*)(cast(size_t)cast(void*)this + 0x80); } // 0x80 (0x04)
}
}
extern(C++) public interface ScriptClassProperty : ScriptObjectProperty // Total size: 0x88
{
public:
@property
{
final auto ref ScriptClass MetaClass() { return *cast(ScriptClass*)(cast(size_t)cast(void*)this + 0x84); } // 0x84 (0x04)
}
}
public struct Vector // Total size: 0x0C
{
private:
float mX, mY, mZ;
public:
this(float x = 0, float y = 0, float z = 0)
{
this.mX = x;
this.mY = y;
this.mZ = z;
}
@property
{
auto ref float X() { return mX; }
auto ref float Y() { return mY; }
auto ref float Z() { return mZ; }
}
Vector opBinary(string op)(float num)
{
static if (op == "*")
return Vector(X * num, Y * num, Z * num);
else static if (op == "/")
return Vector(X / num, Y / num, Z / num);
else static if (op == "+")
return Vector(X + num, Y + num, Z + num);
else static if (op == "-")
return Vector(X - num, Y - num, Z - num);
else
static assert(0, "Operator " ~ op ~ " is not implemented!");
}
Vector opBinary(string op)(Vector other)
{
static if (op == "+")
return Vector(X + other.X, Y + other.Y, Z + other.Z);
else static if(op == "-")
return Vector(X - other.X, Y - other.Y, Z - other.Z);
else
static assert(0, "Operator " ~ op ~ " is not implemented!");
}
float Length()
{
if (X + Y + Z == 0)
return 0.0f;
return sqrt(X * X + Y * Y + Z * Z);
}
Vector Normalize()
{
float magnitude = Length();
Vector tmp = this;
tmp.X /= magnitude;
tmp.Y /= magnitude;
tmp.Z /= magnitude;
return tmp;
}
float DotProduct(Vector other)
{
return X * other.X + Y * other.Y + Z * other.Z;
}
Vector CrossProduct(Vector other)
{
return Vector(Y * other.Z - Z * other.Y, Z * other.X - X * other.Z, X * other.Y - Y * other.X);
}
}
static assert(Vector.sizeof == 0x0C);
public struct Rotator // Total size: 0x0C
{
private:
int mPitch, mYaw, mRoll;
public:
this(int pitch = 0, int yaw = 0, int roll = 0)
{
this.mPitch = pitch;
this.mYaw = yaw;
this.mRoll = roll;
}
@property
{
auto ref int Pitch() { return mPitch; }
auto ref int Yaw() { return mYaw; }
auto ref int Roll() { return mRoll; }
}
Rotator opBinary(string op)(float num)
{
static if (op == "*")
return Rotator(cast(int)(Pitch * num), cast(int)(Yaw * num), cast(int)(Roll * num));
else static if (op == "/")
return Rotator(cast(int)(Pitch / num), cast(int)(Yaw / num), cast(int)(Roll / num));
else static if (op == "+")
return Rotator(cast(int)(Pitch + num), cast(int)(Yaw + num), cast(int)(Roll + num));
else static if (op == "-")
return Rotator(cast(int)(Pitch - num), cast(int)(Yaw - num), cast(int)(Roll - num));
else
static assert(0, "Operator " ~ op ~ " is not implemented!");
}
Rotator opBinary(string op)(Rotator other)
{
static if (op == "+")
return Rotator(Pitch + other.Pitch, Yaw + other.Yaw, Roll + other.Roll);
else static if (op == "-")
return Rotator(Pitch - other.Pitch, Yaw - other.Yaw, Roll - other.Roll);
else
static assert(0, "Operator " ~ op ~ " is not implemented!");
}
Vector GetForward()
{
float angle;
angle = cast(float)(Pitch) * (PI * 2 / 65535);
float sinPitch = sin(angle);
float cosPitch = cos(angle);
angle = cast(float)(Yaw) * (PI * 2 / 65535);
float sinYaw = sin(angle);
float cosYaw = cos(angle);
return Vector(cosPitch * cosYaw, cosPitch * sinYaw, sinPitch);
}
Vector GetRight()
{
float angle;
angle = cast(float)(Pitch) * (PI * 2 / 65535);
float sinPitch = sin(angle);
float cosPitch = cos(angle);
angle = cast(float)(Yaw) * (PI * 2 / 65535);
float sinYaw = sin(angle);
float cosYaw = cos(angle);
angle = cast(float)(Roll) * (PI * 2 / 65535);
float sinRoll = sin(angle);
float cosRoll = cos(angle);
return Vector(-sinRoll * sinPitch * cosYaw + cosRoll * sinYaw, -sinRoll * sinPitch * sinYaw - cosRoll * cosYaw, sinRoll * cosPitch);
}
Vector GetUp()
{
float angle;
angle = cast(float)(Pitch) * (PI * 2 / 65535);
float sinPitch = sin(angle);
float cosPitch = cos(angle);
angle = cast(float)(Yaw) * (PI * 2 / 65535);
float sinYaw = sin(angle);
float cosYaw = cos(angle);
angle = cast(float)(Roll) * (PI * 2 / 65535);
float sinRoll = sin(angle);
float cosRoll = cos(angle);
return Vector(cosRoll * sinPitch * cosYaw + sinRoll * sinYaw, cosRoll * sinPitch * sinYaw - sinRoll * cosYaw, -cosRoll * cosPitch);
}
}
static assert(Rotator.sizeof == 0x0C); | D |
module UnrealScript.Engine.SceneCaptureCubeMapActor;
import ScriptClasses;
import UnrealScript.Helpers;
import UnrealScript.Engine.MaterialInstanceConstant;
import UnrealScript.Engine.SceneCaptureActor;
extern(C++) interface SceneCaptureCubeMapActor : SceneCaptureActor
{
public extern(D):
private static __gshared ScriptClass mStaticClass;
@property final static ScriptClass StaticClass() { mixin(MGSCC("Class Engine.SceneCaptureCubeMapActor")); }
private static __gshared SceneCaptureCubeMapActor mDefaultProperties;
@property final static SceneCaptureCubeMapActor DefaultProperties() { mixin(MGDPC("SceneCaptureCubeMapActor", "SceneCaptureCubeMapActor Engine.Default__SceneCaptureCubeMapActor")); }
@property final auto ref
{
MaterialInstanceConstant CubeMaterialInst() { mixin(MGPC("MaterialInstanceConstant", 484)); }
// ERROR: Unsupported object class 'ComponentProperty' for the property named 'StaticMesh'!
}
}
| D |
// **************************************************
// EXIT
// **************************************************
instance Org_2500_Kasztan_Exit (C_INFO)
{
npc = Org_2500_Kasztan;
nr = 999;
condition = Org_2500_Kasztan_Exit_Condition;
information = Org_2500_Kasztan_Exit_Info;
permanent = 1;
description = DIALOG_ENDE;
};
FUNC int Org_2500_Kasztan_Exit_Condition()
{
return 1;
};
FUNC VOID Org_2500_Kasztan_Exit_Info()
{
B_StopProcessInfos(self);
};
instance Org_2500_Kasztan_Hello (C_INFO)
{
npc = Org_2500_Kasztan;
nr = 1;
condition = Org_2500_Kasztan_Hello_Condition;
information = Org_2500_Kasztan_Hello_Info;
permanent = 0;
important = 1;
};
FUNC int Org_2500_Kasztan_Hello_Condition()
{
return 1;
};
FUNC VOID Org_2500_Kasztan_Hello_Info()
{
AI_SetWalkmode (other, NPC_WALK);
AI_GotoNpc (other, self);
AI_Output (self, other,"Org_2500_Kasztan_Hello_11_00"); //Hej, ty! Może chciałbyś zmienić swój wygląd? Jestem stylistą i za niewielką opłatą mógłbym zmienić Twój wygląd.
AI_Output (other, self,"Org_2500_Kasztan_Hello_11_01"); //Tak? Sam nie wiem...
};
instance Org_2500_Kasztan_Stylize (C_INFO)
{
npc = Org_2500_Kasztan;
nr = 986;
condition = Org_2500_Kasztan_Stylize_Condition;
information = Org_2500_Kasztan_Stylize_Info;
important = 0;
permanent = 1;
description = "(Zmień wygląd)";
};
FUNC int Org_2500_Kasztan_Stylize_Condition()
{
if (Npc_KnowsInfo(hero,Org_2500_Kasztan_Hello))
{
return 1;
};
};
FUNC VOID Org_2500_Kasztan_Stylize_Info()
{
PC_Stylist_Dialog_Init();
Appr_CurrentStylist_Posibilities = Appr_Posibilities_Base | Appr_Posibilities_Kasztan;
//bloops=0; // Ork: Jedno z wiekszych gówien jakie popełniłem i do tej pory widziałem :D:D
Appr_Stylist=hlp_getnpc(Org_2500_Kasztan);
// Ork: Jednak zamierzam to wyciąć w pień [Senduje EVT_Stylist z
Wld_SendTrigger("STYLIST");
B_StopProcessInfos (self);
};
INSTANCE Org_2500_Kasztan_Cash4Style (c_Info)
{
npc = Org_2500_Kasztan;
nr = 656;
condition = Org_2500_Kasztan_Cash4Style_Condition;
information = Org_2500_Kasztan_Cash4Style_Info;
important = 1;
permanent = 1;
};
FUNC INT Org_2500_Kasztan_Cash4Style_Condition()
{
if(Appr_changesPriceAll)
{
return 1;
};
};
func VOID Org_2500_Kasztan_Cash4Style_Info()
{
AI_Output (self, other,"Org_2500_Kasztan_Cash4Style_11_00"); //Czas zapłacić za usługi.
Info_ClearChoices (Org_2500_Kasztan_Cash4Style);
Info_AddChoice (Org_2500_Kasztan_Cash4Style,"Nie zapłacę.",Org_2500_Kasztan_Cash4Style_No);
// Ork: Bezwarunkowo bedzie lepiej
if(NPC_HasItems(hero,itminugget)>=Appr_changesPriceAll)
{
Info_AddChoice (Org_2500_Kasztan_Cash4Style,ConcatStrings(ConcatStrings("Trzymaj swoją rudę (",Inttostring(Appr_changesPriceAll))," bryłek rudy)."),Org_2500_Kasztan_Cash4Style_Yes);
};
TA_EndOverlay(self); //Ork: Musi być!!! U każdego stylisty!
};
func VOID Org_2500_Kasztan_Cash4Style_No()
{
AI_Output (other, self,"Org_2500_Kasztan_Cash4Style_NO_11_00"); //Nie zapłacę.
APPR_HERO_TATTOO_CURRENT=Appr_heroFace_Current%10;
APPR_HERO_BEARD_CURRENT=((Appr_heroFace_Current%100)-APPR_HERO_TATTOO_CURRENT)/10;
APPR_HERO_HAIR_CURRENT=(Appr_heroFace_Current-((APPR_HERO_BEARD_CURRENT*10)+APPR_HERO_TATTOO_CURRENT))/100;
//Ork: To jest chyba niepotrzebne :? ( po zmianie metody z Set* na Recover* Appearance
//hero_last_face = Appr_heroFace_Current;
Appr_RecoverHeroAppearance();
Info_ClearChoices (Org_2500_Kasztan_Cash4Style);
Appr_changesPriceAll=0;
};
func VOID Org_2500_Kasztan_Cash4Style_Yes()
{
AI_Output (other, self,"Org_2500_Kasztan_Cash4Style_Yes_11_00"); //Trzymaj swoją rudę.
B_GiveInvItems(hero,self,ITMINUGGET,Appr_changesPriceAll);
Info_ClearChoices (Org_2500_Kasztan_Cash4Style);
Appr_changesPriceAll=0;
hero_changes_visual = true;
};
// **************************************************
// Pierwsze spotkanie
// QUESTID 550
// **************************************************
instance Org_2500_Kasztan_Greet (C_INFO)
{
npc = Org_2500_Kasztan;
nr = 1;
condition = Org_2500_Kasztan_Greet_Condition;
information = Org_2500_Kasztan_Greet_Info;
permanent = 0;
important = 1;
};
FUNC int Org_2500_Kasztan_Greet_Condition()
{
/*if ((Npc_GetDistToNpc(self,hero) < ZivilAnquatschDist) || (Kapitel >= 3))
{
return 1;
};*/
return 0;
};
FUNC VOID Org_2500_Kasztan_Greet_Info()
{
AI_SetWalkmode (other, NPC_WALK);
AI_GotoNpc (other, self);
AI_Output (self, other,"Org_2500_Kasztan_Greet_11_00"); //Hej, Ty! Podejdź tu. Potrzebuję pomocy.
AI_Output (other, self,"Org_2500_Kasztan_Greet_11_01"); //Tak? O co chodzi?
AI_Output (self, other,"Org_2500_Kasztan_Greet_11_02"); //Dowiedziałem się o miejscu pobytu trzech uciekinierów z kopalni. Pomóż mi ich złapać.
Info_ClearChoices (Org_2500_Kasztan_Greet);
Info_AddChoice (Org_2500_Kasztan_Greet,"Sam sobie ich łap.",DIA_Org_2500_Find_Deserters_Agree_No);
Info_AddChoice (Org_2500_Kasztan_Greet,"Pomogę Ci.",DIA_Org_2500_Find_Deserters_Agree_Yes);
};
FUNC void DIA_Org_2500_Find_Deserters_Agree_Yes()
{
AI_Output (other, self,"DIA_Org_2500_Find_Deserters_Agree_Yes_15_00"); //Pomogę ci.
AI_Output (self, other,"DIA_Org_2500_Find_Deserters_Agree_Yes_15_01"); //Świetnie. Wróć, gdy będziesz gotowy. Tylko się pośpiesz! Nie będą na nas czekać wiecznie!
B_StopProcessInfos (self);
Log_CreateTopic(KasztanLookForDeserters, LOG_MISSION);
Log_SetTopicStatus(KasztanLookForDeserters, LOG_RUNNING);
B_LogEntry(KasztanLookForDeserters, "Kasztan chce, abym pomógł mu w polowaniu na zbiegów.");
};
FUNC void DIA_Org_2500_Find_Deserters_Agree_No()
{
//(linia 15 w scenariuszu) Autor proponuje tutaj dodac 1000 sily agresorowi. Moze jest jakis inny dobry sposob? Narazie pozostawiam to Tobie
AI_Output (other, self,"DIA_Org_2500_Find_Deserters_Agree_No_15_00"); //Sam sobie ich łap.
AI_Output (self, other,"DIA_Org_2500_Find_Deserters_Agree_No_15_01"); //Ja Ci zaraz dam takie odzywki.
B_StopProcessInfos(self);
B_StartAfterDialogFight(self,other,false);
//Teraz wedlug scenariusza trzeba zrobic to ze wyladujemy w kopalni jesli nas pobije :)
};
instance Org_2500_Kasztan_Go_And_Kill_Deserters(C_INFO)
{
npc = Org_2500_Kasztan;
nr = 2;
condition = Org_2500_Kasztan_Go_And_Kill_Deserters_Condition;
information = Org_2500_Kasztan_Go_And_Kill_Deserters_Info;
permanent = 0;
description = "Jestem gotowy! Możemy udać się na poszukiwanie zbiegów.";
};
FUNC int Org_2500_Kasztan_Go_And_Kill_Deserters_Condition()
{
if (Npc_KnowsInfo(hero,Org_2500_Kasztan_Greet))
{
return 1;
};
};
FUNC int Org_2500_Kasztan_Go_And_Kill_Deserters_Info()
{
AI_Output (other, self,"Org_2500_Kasztan_Go_And_Kill_Deserters_Info_11_00"); //Jestem gotowy! Możemy udać się na poszukiwanie zbiegów.
AI_Output (self, other,"Org_2500_Kasztan_Go_And_Kill_Deserters_Info_11_01"); //Ruszajmy.
B_StopProcessInfos (self);
Npc_SetPermAttitude(self,ATT_FRIENDLY);
//wpis w dzienniku
Party_AddNpc(self);
//teraz pojawiaja sie uciekinierzy wrogo do nas nastawieni
B_ExchangeRoutine (Org_2500_Kasztan,"GUIDE");
};
instance Org_2500_Kasztan_WhenDesertersAreDead(C_INFO)
{
npc = Org_2500_Kasztan;
nr = 3;
condition = Org_2500_Kasztan_WhenDesertersAreDead_Condition;
information = Org_2500_Kasztan_WhenDesertersAreDead_Info;
permanent = 0;
important = 1;
};
FUNC int Org_2500_Kasztan_WhenDesertersAreDead_Condition()
{
//zmienic nazwy NPC na tych ktorzy tam beda :)
if ( Npc_KnowsInfo(hero,Org_2500_Kasztan_Go_And_Kill_Deserters)) && (Npc_IsDead(self)) && (Npc_IsDead(self))
{
return 1;
};
};
FUNC VOID Org_2500_Kasztan_WhenDesertersAreDead_Info()
{
AI_Output (self, other,"Org_2500_Kasztan_WhenDesertersAreDead_11_00"); //Już po nich. Dobra robota. Chodź do obozu, przyda mi się eskorta na wszelki wypadek.
B_LogEntry(KasztanLookForDeserters, "Zbiedzy nie żyją! Mam teraz wrócić z Kaszatanem do Nowego Obozu.");
B_StopProcessInfos (self);
Npc_ExchangeRoutine (self,"GUIDE");
};
instance Org_2500_Kasztan_BackToNewCamp(C_INFO)
{
npc = Org_2500_Kasztan;
nr = 4;
condition = Org_2500_Kasztan_BackToNewCamp_Condition;
information = Org_2500_Kasztan_BackToNewCamp_Info;
permanent = 0;
important = 1;
};
FUNC int Org_2500_Kasztan_BackToNewCamp_Condition()
{
if ((Hlp_StrCmp(Npc_GetNearestWP(self),"Dac tutaj odpowiedni waypoint miejsca w nowym obozie")) && (Npc_KnowsInfo(hero,Org_2500_Kasztan_BackToNewCamp)))
{
return 1;
};
};
FUNC VOID Org_2500_Kasztan_BackToNewCamp_Info()
{
AI_Output (self, other,"Org_2500_Kasztan_BackToNewCamp_11_00"); //Dzięki. A teraz odejdź, mam tu coś do załatwienia.
B_LogEntry(KasztanLookForDeserters, "Zaprowadziłem Kasztana z powrotem pod jego chatę. Koleś chyba zapomniał o nagrodzie.");
//B_GiveMisXP(XP_MED);
B_StopProcessInfos (self);
Npc_ExchangeRoutine (self,"GUIDE");
};
instance Org_2500_Kasztan_RememberAboutReward(C_INFO)
{
npc = Org_2500_Kasztan;
nr = 5;
condition = Org_2500_Kasztan_RememberAboutReward_Condition;
information = Org_2500_Kasztan_RememberAboutReward_Info;
permanent = 0;
important = 1;
description = "Chyba o czymś zapomniałeś.";
};
FUNC int Org_2500_Kasztan_RememberAboutReward_Condition()
{
if (Npc_KnowsInfo(hero,Org_2500_Kasztan_BackToNewCamp))
{
return 1;
};
};
FUNC VOID Org_2500_Kasztan_RememberAboutReward_Info()
{
AI_Output (other, self,"Org_2500_Kasztan_RememberAboutReward_11_00"); //Chyba o czymś zapomniałeś.
AI_Output (self, other,"Org_2500_Kasztan_RememberAboutReward_11_01"); //O czym niby?
AI_Output (other, self,"Org_2500_Kasztan_RememberAboutReward_11_02"); //Zapłata?
AI_Output (self, other,"Org_2500_Kasztan_RememberAboutReward_11_03"); //Nie było żadnej umowy. Mogłeś przeszukać ekwipunek uciekinierów, z pewnością coś mieli.
B_LogEntry(KasztanLookForDeserters, "Sukinkot próbuje wymigać się od płacenia. Trzeba go jakoś przekonać.");
B_StopProcessInfos (self);
};
instance Org_2500_Kasztan_GiveReward(C_INFO)
{
npc = Org_2500_Kasztan;
nr = 5;
condition = Org_2500_Kasztan_GiveReward_Condition;
information = Org_2500_Kasztan_GiveReward_Info;
permanent = 0;
important = 1;
description = "Daj mi rudę.";
};
FUNC int Org_2500_Kasztan_GiveReward_Condition()
{
if (Npc_KnowsInfo(hero,Org_2500_Kasztan_RememberAboutReward))
{
return 1;
};
};
FUNC VOID Org_2500_Kasztan_GiveReward_Info()
{
AI_Output (other, self,"Org_2500_Kasztan_GiveReward_11_00"); //Daj mi rudę.
AI_Output (self, other,"Org_2500_Kasztan_GiveReward_11_01"); //Czy ja mówiłem już, że nie było żadnej umowy?
AI_Output (other, self,"Org_2500_Kasztan_GiveReward_11_02"); //Tak. Ja jednak wolałbym coś zarobić.
AI_Output (self, other,"Org_2500_Kasztan_GiveReward_11_03"); //W takim razie spróbuj sobie sam wziąć!
B_LogEntry(KasztanLookForDeserters, "Gdy stanowczo zażądałem zapłaty, Kaszatan rzucił się na mnie. Ciekawi mnie wynik walki!");
Log_SetTopicStatus(KasztanLookForDeserters,LOG_SUCCESS);
B_StopProcessInfos (self);
B_StartAfterDialogFight(self,other,false);
};
| D |
/Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Deprecated.o : /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AddRef.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Amb.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/AnonymousInvocable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AnonymousObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsMaybe.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsSingle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Buffer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Cancelable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Catch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Concat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ConnectableObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debounce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DefaultIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Deferred.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Delay.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DelaySubscription.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Deprecated.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DistinctUntilChanged.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Do.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ElementAt.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Empty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Error.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Errors.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Event.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Filter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Generate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/GroupBy.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ImmediateScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Just.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Map.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Merge.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Multicast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Never.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Aggregate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Binding.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Concurrency.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Creation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Multiple.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Single.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+StandardSequenceOperators.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Time.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOnSerialDispatchQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObserverType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Optional.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Linux.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence+Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Producer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Range.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Reactive.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/RecursiveLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Reduce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RefCount.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Repeat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RetryWhen.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sample.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Scan.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1WhileConnected.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SingleAsync.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Skip.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/StartWith.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SubscribeOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Switch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SwitchIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedSubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Take.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeLast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Throttle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timeout.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ToArray.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Using.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/Variable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Window.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/WithLatestFrom.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/netnorimingconception/utils/GeoFence/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
/Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Deprecated~partial.swiftmodule : /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AddRef.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Amb.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/AnonymousInvocable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AnonymousObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsMaybe.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsSingle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Buffer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Cancelable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Catch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Concat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ConnectableObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debounce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DefaultIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Deferred.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Delay.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DelaySubscription.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Deprecated.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DistinctUntilChanged.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Do.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ElementAt.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Empty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Error.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Errors.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Event.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Filter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Generate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/GroupBy.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ImmediateScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Just.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Map.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Merge.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Multicast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Never.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Aggregate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Binding.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Concurrency.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Creation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Multiple.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Single.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+StandardSequenceOperators.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Time.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOnSerialDispatchQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObserverType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Optional.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Linux.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence+Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Producer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Range.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Reactive.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/RecursiveLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Reduce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RefCount.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Repeat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RetryWhen.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sample.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Scan.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1WhileConnected.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SingleAsync.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Skip.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/StartWith.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SubscribeOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Switch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SwitchIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedSubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Take.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeLast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Throttle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timeout.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ToArray.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Using.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/Variable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Window.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/WithLatestFrom.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/netnorimingconception/utils/GeoFence/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
/Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Deprecated~partial.swiftdoc : /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AddRef.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Amb.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/AnonymousInvocable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AnonymousObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsMaybe.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsSingle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Buffer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Cancelable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Catch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Concat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ConnectableObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debounce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DefaultIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Deferred.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Delay.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DelaySubscription.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Deprecated.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DistinctUntilChanged.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Do.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ElementAt.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Empty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Error.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Errors.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Event.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Filter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Generate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/GroupBy.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ImmediateScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Just.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Map.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Merge.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Multicast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Never.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Aggregate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Binding.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Concurrency.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Creation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Multiple.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Single.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+StandardSequenceOperators.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Time.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOnSerialDispatchQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObserverType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Optional.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Linux.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence+Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Producer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Range.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Reactive.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/RecursiveLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Reduce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RefCount.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Repeat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RetryWhen.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sample.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Scan.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1WhileConnected.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SingleAsync.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Skip.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/StartWith.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SubscribeOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Switch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SwitchIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedSubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Take.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeLast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Throttle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timeout.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ToArray.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Using.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/Variable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Window.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/WithLatestFrom.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/netnorimingconception/utils/GeoFence/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
| D |
/*
Copyright: Marcelo S. N. Mancini (Hipreme|MrcSnm), 2018 - 2021
License: [https://creativecommons.org/licenses/by/4.0/|CC BY-4.0 License].
Authors: Marcelo S. N. Mancini
Copyright Marcelo S. N. Mancini 2018 - 2021.
Distributed under the CC BY-4.0 License.
(See accompanying file LICENSE.txt or copy at
https://creativecommons.org/licenses/by/4.0/
*/
module hip.api.view.layer;
enum LayerFlags : int
{
none = 0,
dirty = 1,
visible = 1 << 1,
baked = 1 << 2,
}
interface ILayer
{
void onAttach();
void onDettach();
void onEnter();
void onExit();
void onUpdate(float dt);
void onRender();
void onDestroy();
}
abstract class Layer : ILayer
{
public string name;
public int flags;
public this(string name){this.name = name;}
} | D |
// ***************************************************
// B_KillNpc (NPC wird getötet und bleibt liegen)
// ***************************************************
func void B_KillNpc (var int npcInstance)
{
var C_NPC npc;
npc = Hlp_GetNpc(npcInstance);
if (Hlp_IsValidNpc (npc))
&& (!Npc_IsDead (npc))
{
npc.flags = 0;
Npc_ChangeAttribute (npc, ATR_HITPOINTS, -npc.attribute[ATR_HITPOINTS_MAX]);
};
};
| D |
var int TrollAwake;
func void ZS_MM_Rtn_Rest()
{
Perception_Set_Monster_Rtn();
b_staminainvent();
AI_SetWalkMode(self,NPC_WALK);
B_MM_DeSynchronize();
if(Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Crypt_Skeleton_Lord))
{
AI_Teleport(self,"EVT_CRYPT_ROOM_02_SPAWNMAIN");
}
else if(Hlp_StrCmp(Npc_GetNearestWP(self),self.wp) == FALSE)
{
AI_GotoWP(self,self.wp);
};
self.aivar[AIV_TAPOSITION] = NOTINPOS;
};
func int ZS_MM_Rtn_Rest_Loop()
{
var int randomMove;
var int randomspeech;
b_staminainvent_monster(self);
if((Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Draconian_Minion)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Skeleton_Lord_UD)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Ghost_Azgalor)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(SwampGolem_Dragon)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(StoneGolem_Dragon)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(IceGolem_Dragon)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(FireGolem_Dragon)))
{
DragonRegenFast = TRUE;
};
if((self.guild == GIL_Stoneguardian) && (RavenIsDead == TRUE) && (self.aivar[AIV_MM_REAL_ID] != ID_SummonedGuardian))
{
B_KillNpc(self);
};
if(!Wld_IsTime(self.aivar[AIV_MM_RestStart],0,self.aivar[AIV_MM_RestEnd],0) && (self.aivar[AIV_MM_RestStart] != OnlyRoutine))
{
if(Hlp_GetInstanceID(self) != Hlp_GetInstanceID(TROLL_YOUNG_PW))
{
AI_StartState(self,ZS_MM_AllScheduler,1,"");
return LOOP_END;
};
};
if(self.aivar[AIV_TAPOSITION] == NOTINPOS)
{
if(Wld_IsFPAvailable(self,"FP_ROAM"))
{
AI_GotoFP(self,"FP_ROAM");
}
else if((self.guild == GIL_ORC) && (self.aivar[AIV_MM_REAL_ID] != ID_ORCBOWMEN) && Wld_IsTime(22,0,6,0))
{
AI_GotoWP(self,Npc_GetNearestWP(self));
randomMove = Hlp_Random(3);
if(randomMove == 0)
{
AI_PlayAni(self,"R_ROAM1");
};
if(randomMove == 1)
{
AI_PlayAni(self,"R_ROAM2");
};
if(randomMove == 2)
{
AI_PlayAni(self,"R_ROAM3");
};
};
if(Npc_IsOnFP(self,"FP_ROAM"))
{
self.aivar[AIV_TAPOSITION] = ISINPOS;
};
}
else if(Hlp_Random(1000) <= 5)
{
randomMove = Hlp_Random(3);
if(randomMove == 0)
{
AI_PlayAni(self,"R_ROAM1");
if((self.aivar[AIV_MM_REAL_ID] != ID_ORCBF) && (self.aivar[AIV_MM_REAL_ID] != ID_ORCSHAMAN) && (self.flags != ORCTEMPLENPCFLAGS) && ((self.aivar[AIV_MM_REAL_ID] == ID_ORCBOWMEN) || (self.aivar[AIV_MM_REAL_ID] == ID_ORCELITE) || (self.aivar[AIV_MM_REAL_ID] == ID_ORCWARRIOR)))
{
randomspeech = Hlp_Random(100);
if(randomspeech <= 25)
{
AI_RemoveWeapon(self);
if(Npc_HasItems(self,itfo_addon_orcrum) < 1)
{
CreateInvItem(self,itfo_addon_orcrum);
};
AI_UseItem(self,itfo_addon_orcrum);
AI_SetWalkMode(self,NPC_WALK);
};
if(randomspeech == 0)
{
AI_PlayAni(self,"T_DIALOGGESTURE_01");
Snd_Play3d(self,"ORC_Happy");
}
else if(randomspeech == 10)
{
AI_PlayAni(self,"T_DIALOGGESTURE_02");
Snd_Play3d(self,"ORC_Die_A1");
}
else if(randomspeech == 20)
{
AI_PlayAni(self,"T_DIALOGGESTURE_03");
Snd_Play3d(self,"ORC_Die_A2");
}
else if(randomspeech == 30)
{
AI_PlayAni(self,"T_DIALOGGESTURE_04");
Snd_Play3d(self,"ORC_Die_A1");
}
else if(randomspeech == 40)
{
AI_PlayAni(self,"T_DIALOGGESTURE_05");
Snd_Play3d(self,"ORC_Die_A2");
}
else if(randomspeech == 50)
{
AI_PlayAni(self,"T_DIALOGGESTURE_06");
Snd_Play3d(self,"ORC_Angry");
}
else if(randomspeech == 60)
{
AI_PlayAni(self,"T_DIALOGGESTURE_07");
Snd_Play3d(self,"ORC_Frightened");
}
else if(randomspeech == 70)
{
AI_PlayAni(self,"T_DIALOGGESTURE_08");
Snd_Play3d(self,"ORC_Angry");
};
};
};
if(randomMove == 1)
{
AI_PlayAni(self,"R_ROAM2");
if((self.aivar[AIV_MM_REAL_ID] != ID_ORCBF) && (self.aivar[AIV_MM_REAL_ID] != ID_ORCSHAMAN) && (self.flags != ORCTEMPLENPCFLAGS) && ((self.aivar[AIV_MM_REAL_ID] == ID_ORCBOWMEN) || (self.aivar[AIV_MM_REAL_ID] == ID_ORCELITE) || (self.aivar[AIV_MM_REAL_ID] == ID_ORCWARRIOR)))
{
randomspeech = Hlp_Random(100);
if(randomspeech <= 25)
{
AI_RemoveWeapon(self);
if(Npc_HasItems(self,itfo_addon_orcrum) < 1)
{
CreateInvItem(self,itfo_addon_orcrum);
};
AI_UseItem(self,itfo_addon_orcrum);
AI_SetWalkMode(self,NPC_WALK);
};
if(randomspeech == 0)
{
AI_PlayAni(self,"T_DIALOGGESTURE_01");
Snd_Play3d(self,"ORC_Happy");
}
else if(randomspeech == 10)
{
AI_PlayAni(self,"T_DIALOGGESTURE_02");
Snd_Play3d(self,"ORC_Die_A1");
}
else if(randomspeech == 20)
{
AI_PlayAni(self,"T_DIALOGGESTURE_03");
Snd_Play3d(self,"ORC_Die_A2");
}
else if(randomspeech == 30)
{
AI_PlayAni(self,"T_DIALOGGESTURE_04");
Snd_Play3d(self,"ORC_Die_A1");
}
else if(randomspeech == 40)
{
AI_PlayAni(self,"T_DIALOGGESTURE_05");
Snd_Play3d(self,"ORC_Die_A2");
}
else if(randomspeech == 50)
{
AI_PlayAni(self,"T_DIALOGGESTURE_06");
Snd_Play3d(self,"ORC_Angry");
}
else if(randomspeech == 60)
{
AI_PlayAni(self,"T_DIALOGGESTURE_07");
Snd_Play3d(self,"ORC_Frightened");
}
else if(randomspeech == 70)
{
AI_PlayAni(self,"T_DIALOGGESTURE_08");
Snd_Play3d(self,"ORC_Angry");
};
};
};
if(randomMove == 2)
{
AI_PlayAni(self,"R_ROAM3");
if((self.aivar[AIV_MM_REAL_ID] != ID_ORCBF) && (self.aivar[AIV_MM_REAL_ID] != ID_ORCSHAMAN) && (self.flags != ORCTEMPLENPCFLAGS) && ((self.aivar[AIV_MM_REAL_ID] == ID_ORCBOWMEN) || (self.aivar[AIV_MM_REAL_ID] == ID_ORCELITE) || (self.aivar[AIV_MM_REAL_ID] == ID_ORCWARRIOR)))
{
randomspeech = Hlp_Random(100);
if(randomspeech <= 25)
{
AI_RemoveWeapon(self);
if(Npc_HasItems(self,itfo_addon_orcrum) < 1)
{
CreateInvItem(self,itfo_addon_orcrum);
};
AI_UseItem(self,itfo_addon_orcrum);
AI_SetWalkMode(self,NPC_WALK);
};
if(randomspeech == 0)
{
AI_PlayAni(self,"T_DIALOGGESTURE_01");
Snd_Play3d(self,"ORC_Happy");
}
else if(randomspeech == 10)
{
AI_PlayAni(self,"T_DIALOGGESTURE_02");
Snd_Play3d(self,"ORC_Die_A1");
}
else if(randomspeech == 20)
{
AI_PlayAni(self,"T_DIALOGGESTURE_03");
Snd_Play3d(self,"ORC_Die_A2");
}
else if(randomspeech == 30)
{
AI_PlayAni(self,"T_DIALOGGESTURE_04");
Snd_Play3d(self,"ORC_Die_A1");
}
else if(randomspeech == 40)
{
AI_PlayAni(self,"T_DIALOGGESTURE_05");
Snd_Play3d(self,"ORC_Die_A2");
}
else if(randomspeech == 50)
{
AI_PlayAni(self,"T_DIALOGGESTURE_06");
Snd_Play3d(self,"ORC_Angry");
}
else if(randomspeech == 60)
{
AI_PlayAni(self,"T_DIALOGGESTURE_07");
Snd_Play3d(self,"ORC_Frightened");
}
else if(randomspeech == 70)
{
AI_PlayAni(self,"T_DIALOGGESTURE_08");
Snd_Play3d(self,"ORC_Angry");
};
};
};
};
if((Hlp_GetInstanceID(self) == Hlp_GetInstanceID(TROLL_YOUNG_PW)) && (TrollYoungPW == FALSE) && (PoisonResult == FALSE))
{
if((TrollEatMeat == TRUE) && (PoisonResult == FALSE))
{
if(TrollCountStep <= 1)
{
AI_GotoWP(self,"PW_TROLL_MEAT");
}
else if(TrollCountStep == 5)
{
AI_PlayAni(self,"T_WARN");
}
else if(TrollCountStep == 10)
{
if(PoisonDoneFull == TRUE)
{
AI_GotoWP(self,"PW_YOUNGTROLL");
B_LogEntry(TOPIC_PW_PoisonNrozas,"Тролль понюхал наживку и не стал ее есть. Сдается мне, что я перестарался с количеством вылитого яда...");
PoisonResult = TRUE;
};
}
else if(TrollCountStep == 13)
{
AI_PlayAni(self,"T_FISTATTACKMOVE");
}
else if(TrollCountStep == 15)
{
if(PoisonDoneHalf == TRUE)
{
Wld_SendTrigger("EVT_TROLL_POISON");
Npc_ChangeAttribute(self,ATR_HITPOINTS,-self.attribute[ATR_HITPOINTS_MAX]);
B_LogEntry(TOPIC_PW_PoisonNrozas,"Тролль съел наживку и мгновенно умер! Кажется, у меня все получилось...");
CreateInvItems(self,ItAt_TrollPoisonTongue,1);
PoisonResult = TRUE;
}
else if(PoisonDoneOneTear == TRUE)
{
Wld_SendTrigger("EVT_TROLL_POISON");
B_LogEntry(TOPIC_PW_PoisonNrozas,"Тролль целиком заглотил наживку, но яд на него не подействовал. По всей видимости, я добавил слишком мало яда...Надо срочно поговорить с Гонсалесом, что теперь мне делать!");
PoisonResult = TRUE;
};
};
TrollCountStep = TrollCountStep + 1;
};
};
return LOOP_CONTINUE;
};
func void ZS_MM_Rtn_Rest_End()
{
b_staminainvent();
};
func void ZS_MM_Rtn_HaniarDemon()
{
Perception_Set_Monster_Rtn();
b_staminainvent();
AI_SetWalkMode(self,NPC_WALK);
B_MM_DeSynchronize();
Wld_PlayEffect("SPELLFX_TELEPORT_RING",self,self,0,0,0,FALSE);
Wld_PlayEffect("spellFX_INCOVATION_VIOLET",self,self,0,0,0,FALSE);
if(Hlp_StrCmp(Npc_GetNearestWP(self),self.wp) == FALSE)
{
AI_GotoWP(self,self.wp);
};
AI_AlignToWP(self);
self.aivar[AIV_TAPOSITION] = NOTINPOS;
};
func int ZS_MM_Rtn_HaniarDemon_Loop()
{
var int randomMove;
b_staminainvent_monster(self);
if(self.aivar[AIV_TAPOSITION] == NOTINPOS)
{
if(Wld_IsFPAvailable(self,"FP_ROAM"))
{
AI_GotoFP(self,"FP_ROAM");
};
if(Npc_IsOnFP(self,"FP_ROAM"))
{
self.aivar[AIV_TAPOSITION] = ISINPOS;
};
};
if((self.aivar[AIV_TAPOSITION] == ISINPOS) && (Npc_GetStateTime(self) >= 5))
{
randomMove = Hlp_Random(3);
if(randomMove == 1)
{
AI_PlayAni(self,"T_WARN");
Wld_PlayEffect("SPELLFX_TELEPORT_RING",self,self,0,0,0,FALSE);
Wld_PlayEffect("spellFX_INCOVATION_VIOLET",self,self,0,0,0,FALSE);
};
Npc_SetStateTime(self,0);
};
return LOOP_CONTINUE;
};
func void ZS_MM_Rtn_HaniarDemon_End()
{
b_staminainvent();
};
| D |
module mahjong.graphics.controllers.game.exhaustive;
import dsfml.graphics : RenderWindow, Event, Keyboard;
import mahjong.domain.metagame;
import mahjong.domain.scoring;
import mahjong.engine;
import mahjong.engine.flow;
import mahjong.graphics.controllers.controller;
import mahjong.graphics.controllers.game;
import mahjong.graphics.drawing.game;
class ExhaustiveDrawController : GameController
{
this(const Metagame metagame,
ExhaustiveDrawEvent event, Engine engine)
{
super(metagame, engine);
_event = event;
}
private ExhaustiveDrawEvent _event;
protected override void handleGameKey(Event.KeyEvent key)
{
if(key.code == Keyboard.Key.Return)
{
auto transactions = _metagame.calculateTenpaiTransactions;
if(transactions)
{
Controller.instance.substitute(
new TransferController!ExhaustiveDrawEvent(
_metagame, freezeGameGraphicsOnATexture(_metagame),
_event, transactions, _engine));
}
else
{
_event.handle;
}
}
}
}
@("If no-one is tenpai, the event will be handled after a return press")
unittest
{
import fluent.asserts;
import mahjong.domain.opts;
import mahjong.domain.player;
import mahjong.test.key;
scope(exit) setDefaultTestController;
setDefaultTestController;
auto player = new Player;
player.willNotBeTenpai;
auto metagame = new Metagame([player, player, player, player], new DefaultGameOpts);
auto event = new ExhaustiveDrawEvent(metagame);
auto engine = new Engine(metagame);
Controller.instance.substitute(new ExhaustiveDrawController(metagame, event, engine));
Controller.instance.handleEvent(returnKeyPressed);
event.isHandled.should.equal(true);
}
@("If someone is tenpai, a new controller will be spawned instead")
unittest
{
import fluent.asserts;
import mahjong.domain.opts;
import mahjong.domain.player;
import mahjong.test.key;
scope(exit) setDefaultTestController;
setDefaultTestController;
auto player = new Player;
player.willNotBeTenpai;
auto tenpaiPlayer = new Player;
tenpaiPlayer.willBeTenpai;
auto metagame = new Metagame([tenpaiPlayer, player, player, player], new DefaultGameOpts);
auto event = new ExhaustiveDrawEvent(metagame);
auto engine = new Engine(metagame);
Controller.instance.substitute(new ExhaustiveDrawController(metagame, event, engine));
Controller.instance.handleEvent(returnKeyPressed);
event.isHandled.should.equal(false);
Controller.instance.should.be.instanceOf!(TransferController!ExhaustiveDrawEvent);
} | D |
module about_arrays;
import dunit;
import helpers;
class AboutArrays
{
mixin UnitTest;
@Test
void fixed_length_arrays() {
string[4] fruits = ["banana", "mango", "apple", "orange"];
assertEquals(fruits[0], FILL_IN_THIS_STRING);
assertEquals(fruits.length, FILL_IN_THIS_NUMBER);
int[5] b = 1; // 5 elements with same value 1
assertEquals(b, FILL_IN_THIS_ARRAY);
}
@Test
void dynamic_length_arrays() {
string[] fruits = ["banana", "mango"];
assertEquals(fruits.length, FILL_IN_THIS_NUMBER);
fruits ~= "strawberry";
assertEquals(fruits.length, FILL_IN_THIS_NUMBER);
assertEquals(fruits[2], FILL_IN_THIS_STRING);
}
@Test
void array_slicing() {
int[] a = [4, 3, 2, 1];
a[0..2] = [1, 2];
assertEquals(a, FILL_IN_THIS_ARRAY);
a[0..$] = [0, 0, 0, 0]; // $ is always the last element
assertEquals(a, FILL_IN_THIS_ARRAY);
}
@Test
void array_append() {
int [] a;
a.length = 3; // length extended, elements using default value
assertEquals(a, FILL_IN_THIS_ARRAY);
a ~= [3, 4];
assertEquals(a, FILL_IN_THIS_ARRAY);
}
@Test
void slices_of_the_same_array() {
int[] items=[1,1,2,3,5,8,13,21,34,55,89,144];
auto slice1=items[2..9];
auto slice2=items[4..7];
assertEquals(slice1[0],FILL_IN_THIS_NUMBER);
assertEquals(slice2[0],FILL_IN_THIS_NUMBER);
slice1[3]=99;
assertEquals(slice2[1],FILL_IN_THIS_NUMBER);
slice2.length=2; //truncating a slice...
assertEquals(items.length,FILL_IN_THIS_NUMBER); // ... changes original array lenght ?
}
}
| D |
/*
* Empire, the Wargame of the Century (tm)
* Copyright (C) 1978-2004 by Walter Bright
* All Rights Reserved
*
* You may use this source for personal use only. To use it commercially
* or to distribute source or binaries of Empire, please contact
* www.digitalmars.com.
*
* Written by Walter Bright.
* This source is written in the D Programming Language.
* See www.digitalmars.com/d/ for the D specification and compiler.
*
* Use entirely at your own risk. There is no warranty, expressed or implied.
*/
module move;
import empire;
import eplayer;
import sub2;
const int HYSTERESIS = 10;
/***********************************
* Do a time slice.
* Returns:
* 0 continue
* !=0 end program
*/
int slice()
{
int newnum;
Player *p;
switch (numply)
{
case 1:
Player.get(1).tslice();
break;
case 2:
p = Player.get(plynum);
p.tslice();
newnum = plynum ^ 3; // 2 -> 1; 1 -> 2
plynum = (Player.get(newnum).round > p.round + HYSTERESIS)
? plynum : newnum;
break;
case 3:
{ static int e1[4] = [0,2,1,1]; // 0th element is a dummy
static int e2[4] = [0,3,3,2];
// Only allow move if we're not HYSTERESIS moves ahead of the others.
p = Player.get(plynum);
if (Player.get(e1[plynum]).round + HYSTERESIS > p.round &&
Player.get(e2[plynum]).round + HYSTERESIS > p.round)
p.tslice(); // move the player
plynum = (plynum >= 3) ? 1 : plynum + 1;
}
break;
default:
{ int r;
int i;
p = Player.get(plynum);
r = p.round;
for (i = 1; 1; i++)
{
if (i > numply)
{ p.tslice();
break;
}
if (i == plynum)
continue;
// Only allow move if we're not HYSTERESIS moves ahead of the others.
if (r >= Player.get(i).round + HYSTERESIS)
break; // too far ahead, next player
}
plynum = (plynum >= numply) ? 1 : plynum + 1;
}
break;
}
return 0;
}
/*****************************
* Produce units in the cities and reset for next production.
*/
void hrdprd(Player *p)
{ uint i,wa;
Unit *u;
wa = p.watch;
for (i = CITMAX; i--;)
{ City *c = &city[i];
if (c.own != p.num)
continue; /* if we don't own the city */
if (!c.loc)
continue; /* if the city doesn't exist */
//assert(!((c.phs & ~7) && c.phs != '\377'));
p.sensor(c.loc); // keep map up to date
if (c.fnd > p.round) /* if unit is not produced yet */
continue;
if (newuni(&u,c.loc,c.phs,p.num)) // create new unit
{
c.fnd = p.round + typx[c.phs].prodtime;
p.display.produce(c);
if (overpop)
p.display.overpop(false);
overpop = false; /* no longer overpopulated */
}
else /* else overpop */
{ overpop = true;
p.display.overpop(true);
}
}
}
/****************************
* See if anybody won or if computer concedes defeat.
*/
void chkwin()
{ int n[PLYMAX+1]; /* # of cities owned by plyr # */
int i,j;
Text *t;
Player *p;
memset(n,0,n.sizeof);
for (i = CITMAX; i--;)
n[city[i].own]++; // inc number owned
for (j = 1; j <= numply; j++) // loop thru the players
{ p = Player.get(j);
if (n[j] != 0 || // player j hasn't lost yet
p.defeat) // if already defeated
continue;
// If any armies, then player is not defeated
for (i = unitop; i--;)
{ if (unit[i].loc && unit[i].own == j && unit[i].typ == A)
goto L1;
}
p.defeat = true; // player is defeated
numleft--; // number of players left
for (i = 1; i <= numply; i++)
{
Player.get(i).notify_defeated(p);
}
if (numleft != 1)
for (i = 1; i < numply; i++)
{ if (!Player.get(i).defeat && Player.get(i).watch)
goto L1;
}
done(0);
L1:
;
}
}
/**************************************
*/
void done(int i)
{
version (Windows)
{
}
else
{
printf("\n");
win32close();
exit(i);
}
}
/**************************************
*/
void updlst(loc_t loc,int type) // update map value at loc
{ int ty = .typ[.map[loc]]; // what's there
if ((ty != X) && // if not a city
((type != A) || (ty != T)) && // and not an A leaving a T
((type != F) || (ty != C)) ) // and not an F leaving a C
updmap(loc); // then update the map
}
/*************************************
* Change map to land or sea, depending on whether what's on it
* is over land or sea (i.e. an 'A' would be changed to '+').
*/
int updmap(loc_t loc)
{ return .map[loc] = (land[.map[loc]]) ? MAPland : MAPsea;
}
/************************************
* Find & return the unit number of the unit at loc.
*/
Unit *fnduni(loc_t loc)
{ int ab,n;
ab = .map[loc];
chkloc(loc);
assert(.typ[ab] >= 0);
n = unitop; /* max unit # + 1 */
while (n--)
{ Unit *u = &unit[n];
if (u.loc == loc && .typ[ab] == u.typ)
return u;
}
assert(0);
return null;
}
/***********************
* Destroy a unit given unit number. If a T or C, destroy any
* armies or fighters which may be aboard.
* Watch out for destroying other pieces by mistake!
*/
void kill(Unit *u)
{ int i,loc,ty,ndes;
Player *p = Player.get(u.own);
loc = u.loc; // loc of unit
ty = tcaf(u);
p.notify_destroy(u);
u.destroy(); // destroy unit
if (ty == -1) // if not T or C
return;
if (.typ[.map[loc]] == X) // if in a city
return; // assume A's & Fs are off ship
ndes = 0;
for (i = unitop; i--;)
{ if (unit[i].loc == loc &&
unit[i].typ == ty &&
unit[i].own == p.num)
{
p.notify_destroy(&unit[i]);
unit[i].destroy(); // destroy it
ndes++; // keep track of # destroyed
}
}
}
/**********************************
* Select and return a random direction,
* giving priority to moving diagonally.
*/
int randir()
{ int r2;
r2 = empire.random(24); // r2 = 0..23
if (r2 >= 8) // move diagonally (67%)
{ r2 &= 7; // convert to 0..7
r2 |= 1; // pick a diagonal move
}
return r2;
}
/**********************************
* Given a pointer to an array of locs, and the number of elements
* in the array, search for one within range. If found, set ifo,
* ila and return true.
*/
int fndtar(Unit *u,uint *p,uint n)
{ uint loc;
loc = u.loc;
assert(chkloc(loc));
for (; n--; p++) // look at n entries
{ if (!*p) continue; // 0 location
assert(chkloc(*p));
if (dist(loc,*p) > u.fuel) // if too far
continue;
if (u.fuel == u.hit) // if kamikaze
u.ifo = IFOtarkam;
else
u.ifo = IFOtar;
u.ila = *p; // set location of target
return true;
}
return false;
}
/**********************************
* If unit is an A on a T, and is surrounded by water or friendly
* stuff, return true.
*/
int sursea(Unit *u)
{ int loc,ac,i;
loc = u.loc;
if ((u.typ != A) || (typ[.map[loc]] != T))
return(false);
for (i = 8; i--;)
{ ac = .map[loc + arrow(i)]; /* ltr map value */
if ((land[ac] || typ[ac] == X) && own[ac] != u.own)
return(false); /* found land or unowned city */
}
return(true); /* guess it must be so */
}
/*************************************
* Given unit number of a T (C), see if it is full.
* Unit must not be in a city!
* Use:
* full(uninum)
* Input:
* uninum = unit # of T or C
* Returns:
* true if the T (C) is full.
*/
int full(Unit *u)
{ int max;
max = u.hit;
if (u.typ == T)
max <<= 1; // *2 for transports
return aboard(u) >= max; // check # aboard against max
}
/***********************************
* Return true if there aren't any '+'s around loc.
* Input:
* loc
*/
int Ecrowd(loc_t loc)
{ int i;
for (i = 8; i--;)
if (.map[loc + arrow(i)] == 3) // if '+'
return false;
return true;
}
| D |
/**
* C's <locale.h>
* License: Public Domain
* Standards:
* ISO/IEC 9899:1999 7.11
* Macros:
* WIKI=Phobos/StdCLocale
*/
module std.c.locale;
public import core.stdc.locale;
| D |
auto m(R)(R r, size_t needle)
{
foreach (i, const el; r)
{
if (el == needle)
return r[i .. $];
}
return r;
}
| D |
/* ----------------------------------------------------------------------------
* This file was automatically generated by SWIG (http://www.swig.org).
* Version 3.0.0
*
* Do not make changes to this file unless you know what you are doing--modify
* the SWIG interface file instead.
* ----------------------------------------------------------------------------- */
module vtkStructuredGridClip;
static import vtkd_im;
static import core.stdc.config;
static import std.conv;
static import std.string;
static import std.conv;
static import std.string;
static import vtkObjectBase;
static import SWIGTYPE_p_int;
static import vtkInformation;
static import vtkStructuredGridAlgorithm;
class vtkStructuredGridClip : vtkStructuredGridAlgorithm.vtkStructuredGridAlgorithm {
private void* swigCPtr;
public this(void* cObject, bool ownCObject) {
super(vtkd_im.vtkStructuredGridClip_Upcast(cObject), ownCObject);
swigCPtr = cObject;
}
public static void* swigGetCPtr(vtkStructuredGridClip obj) {
return (obj is null) ? null : obj.swigCPtr;
}
mixin vtkd_im.SwigOperatorDefinitions;
public override void dispose() {
synchronized(this) {
if (swigCPtr !is null) {
if (swigCMemOwn) {
swigCMemOwn = false;
throw new object.Exception("C++ destructor does not have public access");
}
swigCPtr = null;
super.dispose();
}
}
}
public static vtkStructuredGridClip New() {
void* cPtr = vtkd_im.vtkStructuredGridClip_New();
vtkStructuredGridClip ret = (cPtr is null) ? null : new vtkStructuredGridClip(cPtr, false);
return ret;
}
public static int IsTypeOf(string type) {
auto ret = vtkd_im.vtkStructuredGridClip_IsTypeOf((type ? std.string.toStringz(type) : null));
return ret;
}
public static vtkStructuredGridClip SafeDownCast(vtkObjectBase.vtkObjectBase o) {
void* cPtr = vtkd_im.vtkStructuredGridClip_SafeDownCast(vtkObjectBase.vtkObjectBase.swigGetCPtr(o));
vtkStructuredGridClip ret = (cPtr is null) ? null : new vtkStructuredGridClip(cPtr, false);
return ret;
}
public vtkStructuredGridClip NewInstance() const {
void* cPtr = vtkd_im.vtkStructuredGridClip_NewInstance(cast(void*)swigCPtr);
vtkStructuredGridClip ret = (cPtr is null) ? null : new vtkStructuredGridClip(cPtr, false);
return ret;
}
alias vtkStructuredGridAlgorithm.vtkStructuredGridAlgorithm.NewInstance NewInstance;
public void SetOutputWholeExtent(SWIGTYPE_p_int.SWIGTYPE_p_int extent, vtkInformation.vtkInformation outInfo) {
vtkd_im.vtkStructuredGridClip_SetOutputWholeExtent__SWIG_0(cast(void*)swigCPtr, SWIGTYPE_p_int.SWIGTYPE_p_int.swigGetCPtr(extent), vtkInformation.vtkInformation.swigGetCPtr(outInfo));
}
public void SetOutputWholeExtent(SWIGTYPE_p_int.SWIGTYPE_p_int extent) {
vtkd_im.vtkStructuredGridClip_SetOutputWholeExtent__SWIG_1(cast(void*)swigCPtr, SWIGTYPE_p_int.SWIGTYPE_p_int.swigGetCPtr(extent));
}
public void SetOutputWholeExtent(int minX, int maxX, int minY, int maxY, int minZ, int maxZ) {
vtkd_im.vtkStructuredGridClip_SetOutputWholeExtent__SWIG_2(cast(void*)swigCPtr, minX, maxX, minY, maxY, minZ, maxZ);
}
public void GetOutputWholeExtent(SWIGTYPE_p_int.SWIGTYPE_p_int extent) {
vtkd_im.vtkStructuredGridClip_GetOutputWholeExtent__SWIG_0(cast(void*)swigCPtr, SWIGTYPE_p_int.SWIGTYPE_p_int.swigGetCPtr(extent));
}
public int* GetOutputWholeExtent() {
auto ret = cast(int*)vtkd_im.vtkStructuredGridClip_GetOutputWholeExtent__SWIG_1(cast(void*)swigCPtr);
return ret;
}
public void ResetOutputWholeExtent() {
vtkd_im.vtkStructuredGridClip_ResetOutputWholeExtent(cast(void*)swigCPtr);
}
public void SetClipData(int _arg) {
vtkd_im.vtkStructuredGridClip_SetClipData(cast(void*)swigCPtr, _arg);
}
public int GetClipData() {
auto ret = vtkd_im.vtkStructuredGridClip_GetClipData(cast(void*)swigCPtr);
return ret;
}
public void ClipDataOn() {
vtkd_im.vtkStructuredGridClip_ClipDataOn(cast(void*)swigCPtr);
}
public void ClipDataOff() {
vtkd_im.vtkStructuredGridClip_ClipDataOff(cast(void*)swigCPtr);
}
public void SetOutputWholeExtent(int piece, int numPieces) {
vtkd_im.vtkStructuredGridClip_SetOutputWholeExtent__SWIG_3(cast(void*)swigCPtr, piece, numPieces);
}
}
| D |
#!/usr/bin/env dub
/+ dub.sdl:
name "make_graph_from_benchmark"
dependency "ggplotd" version="~>1.1.6"
+/
import logger = std.experimental.logger;
import std.algorithm;
import std.array;
import std.ascii;
import std.conv;
import std.csv;
import std.file;
import std.path;
import std.process;
import std.range;
import std.stdio;
import std.string;
immutable ResultFileExt = ".csv";
struct Row {
int lowest;
int total;
}
int main(string[] args) {
import ggplotd.aes : aes;
import ggplotd.axes : xaxisLabel, yaxisLabel;
import ggplotd.geom : geomPoint, geomLine;
import ggplotd.ggplotd : putIn, GGPlotD, Facets;
auto data_files = dirEntries(".", "*" ~ ResultFileExt, SpanMode.shallow).map!"a.name".array;
if (data_files.length == 0) {
writefln("*%s do not exist. Nothing to do", ResultFileExt);
return 1;
}
Facets fc;
foreach (fname; data_files) {
writeln("* Processing ", fname);
auto rows = readText(fname).csvReader!Row(["lowest(usec)", "total(usec)"]).array;
const int lowest = rows.map!"a.lowest".minElement;
{
GGPlotD gg;
gg = xaxisLabel(fname ~ " abs").putIn(gg);
const double yscale = () {
if (lowest > 1000) {
gg = yaxisLabel("ms").putIn(gg);
return 1000.0;
}
gg = yaxisLabel("μs").putIn(gg);
return 1.0;
}();
gg = rows.enumerate.map!(a => aes!("x", "y")(a.index,
a.value.lowest / yscale)).array.geomPoint.putIn(gg);
gg = rows.enumerate.map!(a => aes!("x", "y")(a.index,
a.value.lowest / yscale)).array.geomLine.putIn(gg);
fc = gg.putIn(fc);
}
{ // floor set to the lowest recorded value
GGPlotD gg;
gg = xaxisLabel(fname ~ " floor").putIn(gg);
const double yscale = () {
if ((rows.map!"a.lowest".maxElement - lowest) > 1000) {
gg = yaxisLabel("ms").putIn(gg);
return 1000.0;
}
gg = yaxisLabel("μs").putIn(gg);
return 1.0;
}();
gg = rows.enumerate.map!(a => aes!("x", "y")(a.index,
(a.value.lowest - lowest) / yscale)).array.geomPoint.putIn(gg);
gg = rows.enumerate.map!(a => aes!("x", "y")(a.index,
(a.value.lowest - lowest) / yscale)).array.geomLine.putIn(gg);
fc = gg.putIn(fc);
}
}
fc.save("profile_graph.png", 800, 800);
return 0;
}
| D |
/*
* hunt-time: A time library for D programming language.
*
* Copyright (C) 2015-2018 HuntLabs
*
* Website: https://www.huntlabs.net/
*
* Licensed under the Apache-2.0 License.
*
*/
module hunt.time.ZonedDateTime;
import hunt.time.temporal.ChronoField;
import hunt.stream.DataOutput;
import hunt.Exceptions;
import hunt.stream.ObjectInput;
//import hunt.io.ObjectInputStream;
import hunt.stream.Common;
import hunt.time.chrono.ChronoZonedDateTime;
import hunt.time.chrono.ChronoLocalDate;
import hunt.time.chrono.ChronoLocalDateTime;
import hunt.time.chrono.Chronology;
// import hunt.time.format.DateTimeFormatter;
import hunt.time.format.DateTimeParseException;
import hunt.time.temporal.ChronoField;
import hunt.time.temporal.ChronoUnit;
import hunt.time.temporal.Temporal;
import hunt.time.temporal.TemporalAccessor;
import hunt.time.temporal.TemporalAdjuster;
import hunt.time.temporal.TemporalAmount;
import hunt.time.temporal.TemporalField;
import hunt.time.temporal.TemporalQueries;
import hunt.time.temporal.TemporalQuery;
import hunt.time.temporal.TemporalUnit;
import hunt.time.Exceptions;
import hunt.time.temporal.ValueRange;
import hunt.time.zone.ZoneOffsetTransition;
import hunt.time.zone.ZoneRules;
import hunt.collection.List;
import hunt.time.LocalDate;
import hunt.time.LocalDateTime;
import hunt.time.ZoneOffset;
import hunt.time.ZoneId;
import hunt.time.Clock;
import hunt.time.LocalTime;
import hunt.time.Instant;
import hunt.time.Month;
import hunt.time.DayOfWeek;
import hunt.time.OffsetDateTime;
import hunt.time.Exceptions;
import hunt.time.Period;
import hunt.Integer;
import hunt.Long;
import std.conv;
import hunt.time.Ser;
import hunt.util.Comparator;
import hunt.util.Common;
// import hunt.serialization.JsonSerializer;
/**
* A date-time with a time-zone _in the ISO-8601 calendar system,
* such as {@code 2007-12-03T10:15:30+01:00 Europe/Paris}.
* !(p)
* {@code ZonedDateTime} is an immutable representation of a date-time with a time-zone.
* This class stores all date and time fields, to a precision of nanoseconds,
* and a time-zone, with a zone offset used to handle ambiguous local date-times.
* For example, the value
* "2nd October 2007 at 13:45.30.123456789 +02:00 _in the Europe/Paris time-zone"
* can be stored _in a {@code ZonedDateTime}.
* !(p)
* This class handles conversion from the local time-line of {@code LocalDateTime}
* to the instant time-line of {@code Instant}.
* The difference between the two time-lines is the offset from UTC/Greenwich,
* represented by a {@code ZoneOffset}.
* !(p)
* Converting between the two time-lines involves calculating the offset using the
* {@link ZoneRules rules} accessed from the {@code ZoneId}.
* Obtaining the offset for an instant is simple, as there is exactly one valid
* offset for each instant. By contrast, obtaining the offset for a local date-time
* is not straightforward. There are three cases:
* !(ul)
* !(li)Normal, with one valid offset. For the vast majority of the year, the normal
* case applies, where there is a single valid offset for the local date-time.</li>
* !(li)Gap, with zero valid offsets. This is when clocks jump forward typically
* due to the spring daylight savings change from "winter" to "summer".
* In a gap there are local date-time values with no valid offset.</li>
* !(li)Overlap, with two valid offsets. This is when clocks are set back typically
* due to the autumn daylight savings change from "summer" to "winter".
* In an overlap there are local date-time values with two valid offsets.</li>
* </ul>
* !(p)
* Any method that converts directly or implicitly from a local date-time to an
* instant by obtaining the offset has the potential to be complicated.
* !(p)
* For Gaps, the general strategy is that if the local date-time falls _in the
* middle of a Gap, then the resulting zoned date-time will have a local date-time
* shifted forwards by the length of the Gap, resulting _in a date-time _in the later
* offset, typically "summer" time.
* !(p)
* For Overlaps, the general strategy is that if the local date-time falls _in the
* middle of an Overlap, then the previous offset will be retained. If there is no
* previous offset, or the previous offset is invalid, then the earlier offset is
* used, typically "summer" time.. Two additional methods,
* {@link #withEarlierOffsetAtOverlap()} and {@link #withLaterOffsetAtOverlap()},
* help manage the case of an overlap.
* !(p)
* In terms of design, this class should be viewed primarily as the combination
* of a {@code LocalDateTime} and a {@code ZoneId}. The {@code ZoneOffset} is
* a vital, but secondary, piece of information, used to ensure that the class
* represents an instant, especially during a daylight savings overlap.
*
* !(p)
* This is a <a href="{@docRoot}/java.base/java/lang/doc-files/ValueBased.html">value-based</a>
* class; use of identity-sensitive operations (including reference equality
* ({@code ==}), identity hash code, or synchronization) on instances of
* {@code ZonedDateTime} may have unpredictable results and should be avoided.
* The {@code equals} method should be used for comparisons.
*
* @implSpec
* A {@code ZonedDateTime} holds state equivalent to three separate objects,
* a {@code LocalDateTime}, a {@code ZoneId} and the resolved {@code ZoneOffset}.
* The offset and local date-time are used to define an instant when necessary.
* The zone ID is used to obtain the rules for how and when the offset changes.
* The offset cannot be freely set, as the zone controls which offsets are valid.
* !(p)
* This class is immutable and thread-safe.
*
* @since 1.8
*/
public class ZonedDateTime
: Temporal, ChronoZonedDateTime!(LocalDate) { // , Serializable
/**
* The local date-time.
*/
private LocalDateTime dateTime;
/**
* The offset from UTC/Greenwich.
*/
private ZoneOffset offset;
/**
* The time-zone.
*/
private ZoneId zone;
//-----------------------------------------------------------------------
/**
* Obtains the current date-time from the system clock _in the default time-zone.
* !(p)
* This will query the {@link Clock#systemDefaultZone() system clock} _in the default
* time-zone to obtain the current date-time.
* The zone and offset will be set based on the time-zone _in the clock.
* !(p)
* Using this method will prevent the ability to use an alternate clock for testing
* because the clock is hard-coded.
*
* @return the current date-time using the system clock, not null
*/
public static ZonedDateTime now() {
return now(Clock.systemDefaultZone());
}
/**
* Obtains the current date-time from the system clock _in the specified time-zone.
* !(p)
* This will query the {@link Clock#system(ZoneId) system clock} to obtain the current date-time.
* Specifying the time-zone avoids dependence on the default time-zone.
* The offset will be calculated from the specified time-zone.
* !(p)
* Using this method will prevent the ability to use an alternate clock for testing
* because the clock is hard-coded.
*
* @param zone the zone ID to use, not null
* @return the current date-time using the system clock, not null
*/
public static ZonedDateTime now(ZoneId zone) {
return now(Clock.system(zone));
}
/**
* Obtains the current date-time from the specified clock.
* !(p)
* This will query the specified clock to obtain the current date-time.
* The zone and offset will be set based on the time-zone _in the clock.
* !(p)
* Using this method allows the use of an alternate clock for testing.
* The alternate clock may be introduced using {@link Clock dependency injection}.
*
* @param clock the clock to use, not null
* @return the current date-time, not null
*/
public static ZonedDateTime now(Clock clock) {
assert(clock, "clock");
Instant now = clock.instant(); // called once
return ofInstant(now, clock.getZone());
}
//-----------------------------------------------------------------------
/**
* Obtains an instance of {@code ZonedDateTime} from a local date and time.
* !(p)
* This creates a zoned date-time matching the input local date and time as closely as possible.
* Time-zone rules, such as daylight savings, mean that not every local date-time
* is valid for the specified zone, thus the local date-time may be adjusted.
* !(p)
* The local date time and first combined to form a local date-time.
* The local date-time is then resolved to a single instant on the time-line.
* This is achieved by finding a valid offset from UTC/Greenwich for the local
* date-time as defined by the {@link ZoneRules rules} of the zone ID.
*!(p)
* In most cases, there is only one valid offset for a local date-time.
* In the case of an overlap, when clocks are set back, there are two valid offsets.
* This method uses the earlier offset typically corresponding to "summer".
* !(p)
* In the case of a gap, when clocks jump forward, there is no valid offset.
* Instead, the local date-time is adjusted to be later by the length of the gap.
* For a typical one hour daylight savings change, the local date-time will be
* moved one hour later into the offset typically corresponding to "summer".
*
* @param date the local date, not null
* @param time the local time, not null
* @param zone the time-zone, not null
* @return the offset date-time, not null
*/
public static ZonedDateTime of(LocalDate date, LocalTime time, ZoneId zone) {
return of(LocalDateTime.of(date, time), zone);
}
/**
* Obtains an instance of {@code ZonedDateTime} from a local date-time.
* !(p)
* This creates a zoned date-time matching the input local date-time as closely as possible.
* Time-zone rules, such as daylight savings, mean that not every local date-time
* is valid for the specified zone, thus the local date-time may be adjusted.
* !(p)
* The local date-time is resolved to a single instant on the time-line.
* This is achieved by finding a valid offset from UTC/Greenwich for the local
* date-time as defined by the {@link ZoneRules rules} of the zone ID.
*!(p)
* In most cases, there is only one valid offset for a local date-time.
* In the case of an overlap, when clocks are set back, there are two valid offsets.
* This method uses the earlier offset typically corresponding to "summer".
* !(p)
* In the case of a gap, when clocks jump forward, there is no valid offset.
* Instead, the local date-time is adjusted to be later by the length of the gap.
* For a typical one hour daylight savings change, the local date-time will be
* moved one hour later into the offset typically corresponding to "summer".
*
* @param localDateTime the local date-time, not null
* @param zone the time-zone, not null
* @return the zoned date-time, not null
*/
public static ZonedDateTime of(LocalDateTime localDateTime, ZoneId zone) {
return ofLocal(localDateTime, zone, null);
}
/**
* Obtains an instance of {@code ZonedDateTime} from a year, month, day,
* hour, minute, second, nanosecond and time-zone.
* !(p)
* This creates a zoned date-time matching the local date-time of the seven
* specified fields as closely as possible.
* Time-zone rules, such as daylight savings, mean that not every local date-time
* is valid for the specified zone, thus the local date-time may be adjusted.
* !(p)
* The local date-time is resolved to a single instant on the time-line.
* This is achieved by finding a valid offset from UTC/Greenwich for the local
* date-time as defined by the {@link ZoneRules rules} of the zone ID.
*!(p)
* In most cases, there is only one valid offset for a local date-time.
* In the case of an overlap, when clocks are set back, there are two valid offsets.
* This method uses the earlier offset typically corresponding to "summer".
* !(p)
* In the case of a gap, when clocks jump forward, there is no valid offset.
* Instead, the local date-time is adjusted to be later by the length of the gap.
* For a typical one hour daylight savings change, the local date-time will be
* moved one hour later into the offset typically corresponding to "summer".
* !(p)
* This method exists primarily for writing test cases.
* Non test-code will typically use other methods to create an offset time.
* {@code LocalDateTime} has five additional convenience variants of the
* equivalent factory method taking fewer arguments.
* They are not provided here to reduce the footprint of the API.
*
* @param year the year to represent, from MIN_YEAR to MAX_YEAR
* @param month the month-of-year to represent, from 1 (January) to 12 (December)
* @param dayOfMonth the day-of-month to represent, from 1 to 31
* @param hour the hour-of-day to represent, from 0 to 23
* @param minute the minute-of-hour to represent, from 0 to 59
* @param second the second-of-minute to represent, from 0 to 59
* @param nanoOfSecond the nano-of-second to represent, from 0 to 999,999,999
* @param zone the time-zone, not null
* @return the offset date-time, not null
* @throws DateTimeException if the value of any field is _out of range, or
* if the day-of-month is invalid for the month-year
*/
public static ZonedDateTime of(
int year, int month, int dayOfMonth,
int hour, int minute, int second,
int nanoOfSecond, ZoneId zone) {
LocalDateTime dt = LocalDateTime.of(year, month, dayOfMonth, hour, minute, second, nanoOfSecond);
return ofLocal(dt, zone, null);
}
public static ZonedDateTime of(
int year, Month month, int dayOfMonth,
int hour, int minute, int second,
int nanoOfSecond, ZoneId zone) {
LocalDateTime dt = LocalDateTime.of(year, month, dayOfMonth, hour, minute, second, nanoOfSecond);
return ofLocal(dt, zone, null);
}
/**
* Obtains an instance of {@code ZonedDateTime} from a local date-time
* using the preferred offset if possible.
* !(p)
* The local date-time is resolved to a single instant on the time-line.
* This is achieved by finding a valid offset from UTC/Greenwich for the local
* date-time as defined by the {@link ZoneRules rules} of the zone ID.
*!(p)
* In most cases, there is only one valid offset for a local date-time.
* In the case of an overlap, where clocks are set back, there are two valid offsets.
* If the preferred offset is one of the valid offsets then it is used.
* Otherwise the earlier valid offset is used, typically corresponding to "summer".
* !(p)
* In the case of a gap, where clocks jump forward, there is no valid offset.
* Instead, the local date-time is adjusted to be later by the length of the gap.
* For a typical one hour daylight savings change, the local date-time will be
* moved one hour later into the offset typically corresponding to "summer".
*
* @param localDateTime the local date-time, not null
* @param zone the time-zone, not null
* @param preferredOffset the zone offset, null if no preference
* @return the zoned date-time, not null
*/
public static ZonedDateTime ofLocal(LocalDateTime localDateTime, ZoneId zone, ZoneOffset preferredOffset) {
assert(localDateTime, "localDateTime");
assert(zone, "zone");
if (cast(ZoneOffset)(zone) !is null) {
return new ZonedDateTime(localDateTime, cast(ZoneOffset) zone, zone);
}
ZoneRules rules = zone.getRules();
List!(ZoneOffset) validOffsets = rules.getValidOffsets(localDateTime);
ZoneOffset offset;
if (validOffsets.size() == 1) {
offset = validOffsets.get(0);
} else if (validOffsets.size() == 0) {
ZoneOffsetTransition trans = rules.getTransition(localDateTime);
localDateTime = localDateTime.plusSeconds(trans.getDuration().getSeconds());
offset = trans.getOffsetAfter();
} else {
if (preferredOffset !is null && validOffsets.contains(preferredOffset)) {
offset = preferredOffset;
} else {
offset = validOffsets.get(0); // protect against bad ZoneRules
}
}
return new ZonedDateTime(localDateTime, offset, zone);
}
//-----------------------------------------------------------------------
/**
* Obtains an instance of {@code ZonedDateTime} from an {@code Instant}.
* !(p)
* This creates a zoned date-time with the same instant as that specified.
* Calling {@link #toInstant()} will return an instant equal to the one used here.
* !(p)
* Converting an instant to a zoned date-time is simple as there is only one valid
* offset for each instant.
*
* @param instant the instant to create the date-time from, not null
* @param zone the time-zone, not null
* @return the zoned date-time, not null
* @throws DateTimeException if the result exceeds the supported range
*/
public static ZonedDateTime ofInstant(Instant instant, ZoneId zone) {
assert(instant, "instant");
assert(zone, "zone");
return create(instant.getEpochSecond(), instant.getNano(), zone);
}
/**
* Obtains an instance of {@code ZonedDateTime} from the instant formed by combining
* the local date-time and offset.
* !(p)
* This creates a zoned date-time by {@link LocalDateTime#toInstant(ZoneOffset) combining}
* the {@code LocalDateTime} and {@code ZoneOffset}.
* This combination uniquely specifies an instant without ambiguity.
* !(p)
* Converting an instant to a zoned date-time is simple as there is only one valid
* offset for each instant. If the valid offset is different to the offset specified,
* then the date-time and offset of the zoned date-time will differ from those specified.
* !(p)
* If the {@code ZoneId} to be used is a {@code ZoneOffset}, this method is equivalent
* to {@link #of(LocalDateTime, ZoneId)}.
*
* @param localDateTime the local date-time, not null
* @param offset the zone offset, not null
* @param zone the time-zone, not null
* @return the zoned date-time, not null
*/
public static ZonedDateTime ofInstant(LocalDateTime localDateTime, ZoneOffset offset, ZoneId zone) {
assert(localDateTime, "localDateTime");
assert(offset, "offset");
assert(zone, "zone");
if (zone.getRules().isValidOffset(localDateTime, offset)) {
return new ZonedDateTime(localDateTime, offset, zone);
}
return create(localDateTime.toEpochSecond(offset), localDateTime.getNano(), zone);
}
/**
* Obtains an instance of {@code ZonedDateTime} using seconds from the
* epoch of 1970-01-01T00:00:00Z.
*
* @param epochSecond the number of seconds from the epoch of 1970-01-01T00:00:00Z
* @param nanoOfSecond the nanosecond within the second, from 0 to 999,999,999
* @param zone the time-zone, not null
* @return the zoned date-time, not null
* @throws DateTimeException if the result exceeds the supported range
*/
private static ZonedDateTime create(long epochSecond, int nanoOfSecond, ZoneId zone) {
ZoneRules rules = zone.getRules();
Instant instant = Instant.ofEpochSecond(epochSecond, nanoOfSecond); // TODO: rules should be queryable by epochSeconds
ZoneOffset offset = rules.getOffset(instant);
LocalDateTime ldt = LocalDateTime.ofEpochSecond(epochSecond, nanoOfSecond, offset);
return new ZonedDateTime(ldt, offset, zone);
}
//-----------------------------------------------------------------------
/**
* Obtains an instance of {@code ZonedDateTime} strictly validating the
* combination of local date-time, offset and zone ID.
* !(p)
* This creates a zoned date-time ensuring that the offset is valid for the
* local date-time according to the rules of the specified zone.
* If the offset is invalid, an exception is thrown.
*
* @param localDateTime the local date-time, not null
* @param offset the zone offset, not null
* @param zone the time-zone, not null
* @return the zoned date-time, not null
* @throws DateTimeException if the combination of arguments is invalid
*/
public static ZonedDateTime ofStrict(LocalDateTime localDateTime, ZoneOffset offset, ZoneId zone) {
assert(localDateTime, "localDateTime");
assert(offset, "offset");
assert(zone, "zone");
ZoneRules rules = zone.getRules();
if (rules.isValidOffset(localDateTime, offset) == false) {
ZoneOffsetTransition trans = rules.getTransition(localDateTime);
if (trans !is null && trans.isGap()) {
// error message says daylight savings for simplicity
// even though there are other kinds of gaps
throw new DateTimeException("LocalDateTime '" ~ localDateTime.toString ~
"' does not exist _in zone '" ~ zone.toString ~
"' due to a gap _in the local time-line, typically caused by daylight savings");
}
throw new DateTimeException("ZoneOffset '" ~ offset.toString ~ "' is not valid for LocalDateTime '" ~
localDateTime.toString ~ "' _in zone '" ~ zone.toString ~ "'");
}
return new ZonedDateTime(localDateTime, offset, zone);
}
/**
* Obtains an instance of {@code ZonedDateTime} leniently, for advanced use cases,
* allowing any combination of local date-time, offset and zone ID.
* !(p)
* This creates a zoned date-time with no checks other than no nulls.
* This means that the resulting zoned date-time may have an offset that is _in conflict
* with the zone ID.
* !(p)
* This method is intended for advanced use cases.
* For example, consider the case where a zoned date-time with valid fields is created
* and then stored _in a database or serialization-based store. At some later point,
* the object is then re-loaded. However, between those points _in time, the government
* that defined the time-zone has changed the rules, such that the originally stored
* local date-time now does not occur. This method can be used to create the object
* _in an "invalid" state, despite the change _in rules.
*
* @param localDateTime the local date-time, not null
* @param offset the zone offset, not null
* @param zone the time-zone, not null
* @return the zoned date-time, not null
*/
private static ZonedDateTime ofLenient(LocalDateTime localDateTime, ZoneOffset offset, ZoneId zone) {
assert(localDateTime, "localDateTime");
assert(offset, "offset");
assert(zone, "zone");
if (cast(ZoneOffset)(zone) !is null && (offset == zone) == false) {
throw new IllegalArgumentException("ZoneId must match ZoneOffset");
}
return new ZonedDateTime(localDateTime, offset, zone);
}
//-----------------------------------------------------------------------
/**
* Obtains an instance of {@code ZonedDateTime} from a temporal object.
* !(p)
* This obtains a zoned date-time based on the specified temporal.
* A {@code TemporalAccessor} represents an arbitrary set of date and time information,
* which this factory converts to an instance of {@code ZonedDateTime}.
* !(p)
* The conversion will first obtain a {@code ZoneId} from the temporal object,
* falling back to a {@code ZoneOffset} if necessary. It will then try to obtain
* an {@code Instant}, falling back to a {@code LocalDateTime} if necessary.
* The result will be either the combination of {@code ZoneId} or {@code ZoneOffset}
* with {@code Instant} or {@code LocalDateTime}.
* Implementations are permitted to perform optimizations such as accessing
* those fields that are equivalent to the relevant objects.
* !(p)
* This method matches the signature of the functional interface {@link TemporalQuery}
* allowing it to be used as a query via method reference, {@code ZonedDateTime::from}.
*
* @param temporal the temporal object to convert, not null
* @return the zoned date-time, not null
* @throws DateTimeException if unable to convert to an {@code ZonedDateTime}
*/
public static ZonedDateTime from(TemporalAccessor temporal) {
if (cast(ZonedDateTime)(temporal) !is null) {
return cast(ZonedDateTime) temporal;
}
try {
ZoneId zone = ZoneId.from(temporal);
if (temporal.isSupported(ChronoField.INSTANT_SECONDS)) {
long epochSecond = temporal.getLong(ChronoField.INSTANT_SECONDS);
int nanoOfSecond = temporal.get(ChronoField.NANO_OF_SECOND);
return create(epochSecond, nanoOfSecond, zone);
} else {
LocalDate date = LocalDate.from(temporal);
LocalTime time = LocalTime.from(temporal);
return of(date, time, zone);
}
} catch (DateTimeException ex) {
throw new DateTimeException("Unable to obtain ZonedDateTime from TemporalAccessor: " ~
typeid(temporal).name ~ " of type " ~ typeid(temporal).stringof, ex);
}
}
//-----------------------------------------------------------------------
/**
* Obtains an instance of {@code ZonedDateTime} from a text string such as
* {@code 2007-12-03T10:15:30+01:00[Europe/Paris]}.
* !(p)
* The string must represent a valid date-time and is parsed using
* {@link hunt.time.format.DateTimeFormatter#ISO_ZONED_DATE_TIME}.
*
* @param text the text to parse such as "2007-12-03T10:15:30+01:00[Europe/Paris]", not null
* @return the parsed zoned date-time, not null
* @throws DateTimeParseException if the text cannot be parsed
*/
// public static ZonedDateTime parse(string text) {
// return parse(text, DateTimeFormatter.ISO_ZONED_DATE_TIME);
// }
/**
* Obtains an instance of {@code ZonedDateTime} from a text string using a specific formatter.
* !(p)
* The text is parsed using the formatter, returning a date-time.
*
* @param text the text to parse, not null
* @param formatter the formatter to use, not null
* @return the parsed zoned date-time, not null
* @throws DateTimeParseException if the text cannot be parsed
*/
// public static ZonedDateTime parse(string text, DateTimeFormatter formatter) {
// assert(formatter, "formatter");
// return formatter.parse(text, new class TemporalQuery!ZonedDateTime{
// ZonedDateTime queryFrom(TemporalAccessor temporal)
// {
// if (cast(ZonedDateTime)(temporal) !is null) {
// return cast(ZonedDateTime) temporal;
// }
// try {
// ZoneId zone = ZoneId.from(temporal);
// if (temporal.isSupported(ChronoField.INSTANT_SECONDS)) {
// long epochSecond = temporal.getLong(ChronoField.INSTANT_SECONDS);
// int nanoOfSecond = temporal.get(ChronoField.NANO_OF_SECOND);
// return create(epochSecond, nanoOfSecond, zone);
// } else {
// LocalDate date = LocalDate.from(temporal);
// LocalTime time = LocalTime.from(temporal);
// return of(date, time, zone);
// }
// } catch (DateTimeException ex) {
// throw new DateTimeException("Unable to obtain ZonedDateTime from TemporalAccessor: " ~
// typeid(temporal).name ~ " of type " ~ typeid(temporal).stringof, ex);
// }
// }
// });
// }
//-----------------------------------------------------------------------
/**
* Constructor.
*
* @param dateTime the date-time, validated as not null
* @param offset the zone offset, validated as not null
* @param zone the time-zone, validated as not null
*/
private this(LocalDateTime dateTime, ZoneOffset offset, ZoneId zone) {
this.dateTime = dateTime;
this.offset = offset;
this.zone = zone;
}
/**
* Resolves the new local date-time using this zone ID, retaining the offset if possible.
*
* @param newDateTime the new local date-time, not null
* @return the zoned date-time, not null
*/
private ZonedDateTime resolveLocal(LocalDateTime newDateTime) {
return ofLocal(newDateTime, zone, offset);
}
/**
* Resolves the new local date-time using the offset to identify the instant.
*
* @param newDateTime the new local date-time, not null
* @return the zoned date-time, not null
*/
private ZonedDateTime resolveInstant(LocalDateTime newDateTime) {
return ofInstant(newDateTime, offset, zone);
}
/**
* Resolves the offset into this zoned date-time for the with methods.
* !(p)
* This typically ignores the offset, unless it can be used to switch offset _in a DST overlap.
*
* @param offset the offset, not null
* @return the zoned date-time, not null
*/
private ZonedDateTime resolveOffset(ZoneOffset offset) {
if ((offset == this.offset) == false && zone.getRules().isValidOffset(dateTime, offset)) {
return new ZonedDateTime(dateTime, offset, zone);
}
return this;
}
//-----------------------------------------------------------------------
/**
* Checks if the specified field is supported.
* !(p)
* This checks if this date-time can be queried for the specified field.
* If false, then calling the {@link #range(TemporalField) range},
* {@link #get(TemporalField) get} and {@link #_with(TemporalField, long)}
* methods will throw an exception.
* !(p)
* If the field is a {@link ChronoField} then the query is implemented here.
* The supported fields are:
* !(ul)
* !(li){@code NANO_OF_SECOND}
* !(li){@code NANO_OF_DAY}
* !(li){@code MICRO_OF_SECOND}
* !(li){@code MICRO_OF_DAY}
* !(li){@code MILLI_OF_SECOND}
* !(li){@code MILLI_OF_DAY}
* !(li){@code SECOND_OF_MINUTE}
* !(li){@code SECOND_OF_DAY}
* !(li){@code MINUTE_OF_HOUR}
* !(li){@code MINUTE_OF_DAY}
* !(li){@code HOUR_OF_AMPM}
* !(li){@code CLOCK_HOUR_OF_AMPM}
* !(li){@code HOUR_OF_DAY}
* !(li){@code CLOCK_HOUR_OF_DAY}
* !(li){@code AMPM_OF_DAY}
* !(li){@code DAY_OF_WEEK}
* !(li){@code ALIGNED_DAY_OF_WEEK_IN_MONTH}
* !(li){@code ALIGNED_DAY_OF_WEEK_IN_YEAR}
* !(li){@code DAY_OF_MONTH}
* !(li){@code DAY_OF_YEAR}
* !(li){@code EPOCH_DAY}
* !(li){@code ALIGNED_WEEK_OF_MONTH}
* !(li){@code ALIGNED_WEEK_OF_YEAR}
* !(li){@code MONTH_OF_YEAR}
* !(li){@code PROLEPTIC_MONTH}
* !(li){@code YEAR_OF_ERA}
* !(li){@code YEAR}
* !(li){@code ERA}
* !(li){@code INSTANT_SECONDS}
* !(li){@code OFFSET_SECONDS}
* </ul>
* All other {@code ChronoField} instances will return false.
* !(p)
* If the field is not a {@code ChronoField}, then the result of this method
* is obtained by invoking {@code TemporalField.isSupportedBy(TemporalAccessor)}
* passing {@code this} as the argument.
* Whether the field is supported is determined by the field.
*
* @param field the field to check, null returns false
* @return true if the field is supported on this date-time, false if not
*/
override
public bool isSupported(TemporalField field) {
return cast(ChronoField)(field) !is null || (field !is null && field.isSupportedBy(this));
}
/**
* Checks if the specified unit is supported.
* !(p)
* This checks if the specified unit can be added to, or subtracted from, this date-time.
* If false, then calling the {@link #plus(long, TemporalUnit)} and
* {@link #minus(long, TemporalUnit) minus} methods will throw an exception.
* !(p)
* If the unit is a {@link ChronoUnit} then the query is implemented here.
* The supported units are:
* !(ul)
* !(li){@code NANOS}
* !(li){@code MICROS}
* !(li){@code MILLIS}
* !(li){@code SECONDS}
* !(li){@code MINUTES}
* !(li){@code HOURS}
* !(li){@code HALF_DAYS}
* !(li){@code DAYS}
* !(li){@code WEEKS}
* !(li){@code MONTHS}
* !(li){@code YEARS}
* !(li){@code DECADES}
* !(li){@code CENTURIES}
* !(li){@code MILLENNIA}
* !(li){@code ERAS}
* </ul>
* All other {@code ChronoUnit} instances will return false.
* !(p)
* If the unit is not a {@code ChronoUnit}, then the result of this method
* is obtained by invoking {@code TemporalUnit.isSupportedBy(Temporal)}
* passing {@code this} as the argument.
* Whether the unit is supported is determined by the unit.
*
* @param unit the unit to check, null returns false
* @return true if the unit can be added/subtracted, false if not
*/
override // override for Javadoc
public bool isSupported(TemporalUnit unit) {
return /* ChronoZonedDateTime. super.*/super_isSupported(unit);
}
bool super_isSupported(TemporalUnit unit) {
if (cast(ChronoUnit)(unit) !is null) {
return unit != ChronoUnit.FOREVER;
}
return unit !is null && unit.isSupportedBy(this);
}
//-----------------------------------------------------------------------
/**
* Gets the range of valid values for the specified field.
* !(p)
* The range object expresses the minimum and maximum valid values for a field.
* This date-time is used to enhance the accuracy of the returned range.
* If it is not possible to return the range, because the field is not supported
* or for some other reason, an exception is thrown.
* !(p)
* If the field is a {@link ChronoField} then the query is implemented here.
* The {@link #isSupported(TemporalField) supported fields} will return
* appropriate range instances.
* All other {@code ChronoField} instances will throw an {@code UnsupportedTemporalTypeException}.
* !(p)
* If the field is not a {@code ChronoField}, then the result of this method
* is obtained by invoking {@code TemporalField.rangeRefinedBy(TemporalAccessor)}
* passing {@code this} as the argument.
* Whether the range can be obtained is determined by the field.
*
* @param field the field to query the range for, not null
* @return the range of valid values for the field, not null
* @throws DateTimeException if the range for the field cannot be obtained
* @throws UnsupportedTemporalTypeException if the field is not supported
*/
override
public ValueRange range(TemporalField field) {
if (cast(ChronoField)(field) !is null) {
if (field == ChronoField.INSTANT_SECONDS || field == ChronoField.OFFSET_SECONDS) {
return field.range();
}
return dateTime.range(field);
}
return field.rangeRefinedBy(this);
}
/**
* Gets the value of the specified field from this date-time as an {@code int}.
* !(p)
* This queries this date-time for the value of the specified field.
* The returned value will always be within the valid range of values for the field.
* If it is not possible to return the value, because the field is not supported
* or for some other reason, an exception is thrown.
* !(p)
* If the field is a {@link ChronoField} then the query is implemented here.
* The {@link #isSupported(TemporalField) supported fields} will return valid
* values based on this date-time, except {@code NANO_OF_DAY}, {@code MICRO_OF_DAY},
* {@code EPOCH_DAY}, {@code PROLEPTIC_MONTH} and {@code INSTANT_SECONDS} which are too
* large to fit _in an {@code int} and throw an {@code UnsupportedTemporalTypeException}.
* All other {@code ChronoField} instances will throw an {@code UnsupportedTemporalTypeException}.
* !(p)
* If the field is not a {@code ChronoField}, then the result of this method
* is obtained by invoking {@code TemporalField.getFrom(TemporalAccessor)}
* passing {@code this} as the argument. Whether the value can be obtained,
* and what the value represents, is determined by the field.
*
* @param field the field to get, not null
* @return the value for the field
* @throws DateTimeException if a value for the field cannot be obtained or
* the value is outside the range of valid values for the field
* @throws UnsupportedTemporalTypeException if the field is not supported or
* the range of values exceeds an {@code int}
* @throws ArithmeticException if numeric overflow occurs
*/
override // override for Javadoc and performance
public int get(TemporalField field) {
if (cast(ChronoField)(field) !is null) {
auto f = cast(ChronoField) field;
{
if( f == ChronoField.INSTANT_SECONDS)
throw new UnsupportedTemporalTypeException("Invalid field 'InstantSeconds' for get() method, use getLong() instead");
if( f == ChronoField.OFFSET_SECONDS)
return getOffset().getTotalSeconds();
}
return dateTime.get(field);
}
return /* ChronoZonedDateTime. super.*/super_get(field);
}
int super_get(TemporalField field) {
if (cast(ChronoField)(field) !is null) {
auto f = cast(ChronoField) field;
{
if( f == ChronoField.INSTANT_SECONDS)
throw new UnsupportedTemporalTypeException("Invalid field 'InstantSeconds' for get() method, use getLong() instead");
if( f == ChronoField.OFFSET_SECONDS)
return getOffset().getTotalSeconds();
}
return toLocalDateTime().get(field);
}
ValueRange range = range(field);
if (range.isIntValue() == false) {
throw new UnsupportedTemporalTypeException("Invalid field " ~ typeid(field).name ~ " for get() method, use getLong() instead");
}
long value = getLong(field);
if (range.isValidValue(value) == false) {
throw new DateTimeException("Invalid value for " ~ typeid(field).name ~ " (valid values " ~ range.toString ~ "): " ~ value.to!string);
}
return cast(int) value;
}
/**
* Gets the value of the specified field from this date-time as a {@code long}.
* !(p)
* This queries this date-time for the value of the specified field.
* If it is not possible to return the value, because the field is not supported
* or for some other reason, an exception is thrown.
* !(p)
* If the field is a {@link ChronoField} then the query is implemented here.
* The {@link #isSupported(TemporalField) supported fields} will return valid
* values based on this date-time.
* All other {@code ChronoField} instances will throw an {@code UnsupportedTemporalTypeException}.
* !(p)
* If the field is not a {@code ChronoField}, then the result of this method
* is obtained by invoking {@code TemporalField.getFrom(TemporalAccessor)}
* passing {@code this} as the argument. Whether the value can be obtained,
* and what the value represents, is determined by the field.
*
* @param field the field to get, not null
* @return the value for the field
* @throws DateTimeException if a value for the field cannot be obtained
* @throws UnsupportedTemporalTypeException if the field is not supported
* @throws ArithmeticException if numeric overflow occurs
*/
override
public long getLong(TemporalField field) {
if (cast(ChronoField)(field) !is null) {
auto f = cast(ChronoField) field;
{
if( f == ChronoField.INSTANT_SECONDS) return toEpochSecond();
if( f == ChronoField.OFFSET_SECONDS) return getOffset().getTotalSeconds();
}
return dateTime.getLong(field);
}
return field.getFrom(this);
}
//-----------------------------------------------------------------------
/**
* Gets the zone offset, such as '+01:00'.
* !(p)
* This is the offset of the local date-time from UTC/Greenwich.
*
* @return the zone offset, not null
*/
// override
public ZoneOffset getOffset() {
return offset;
}
/**
* Returns a copy of this date-time changing the zone offset to the
* earlier of the two valid offsets at a local time-line overlap.
* !(p)
* This method only has any effect when the local time-line overlaps, such as
* at an autumn daylight savings cutover. In this scenario, there are two
* valid offsets for the local date-time. Calling this method will return
* a zoned date-time with the earlier of the two selected.
* !(p)
* If this method is called when it is not an overlap, {@code this}
* is returned.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @return a {@code ZonedDateTime} based on this date-time with the earlier offset, not null
*/
// override
public ZonedDateTime withEarlierOffsetAtOverlap() {
ZoneOffsetTransition trans = getZone().getRules().getTransition(dateTime);
if (trans !is null && trans.isOverlap()) {
ZoneOffset earlierOffset = trans.getOffsetBefore();
if ((earlierOffset == offset) == false) {
return new ZonedDateTime(dateTime, earlierOffset, zone);
}
}
return this;
}
/**
* Returns a copy of this date-time changing the zone offset to the
* later of the two valid offsets at a local time-line overlap.
* !(p)
* This method only has any effect when the local time-line overlaps, such as
* at an autumn daylight savings cutover. In this scenario, there are two
* valid offsets for the local date-time. Calling this method will return
* a zoned date-time with the later of the two selected.
* !(p)
* If this method is called when it is not an overlap, {@code this}
* is returned.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @return a {@code ZonedDateTime} based on this date-time with the later offset, not null
*/
// override
public ZonedDateTime withLaterOffsetAtOverlap() {
ZoneOffsetTransition trans = getZone().getRules().getTransition(toLocalDateTime());
if (trans !is null) {
ZoneOffset laterOffset = trans.getOffsetAfter();
if ((laterOffset == offset) == false) {
return new ZonedDateTime(dateTime, laterOffset, zone);
}
}
return this;
}
//-----------------------------------------------------------------------
/**
* Gets the time-zone, such as 'Europe/Paris'.
* !(p)
* This returns the zone ID. This identifies the time-zone {@link ZoneRules rules}
* that determine when and how the offset from UTC/Greenwich changes.
* !(p)
* The zone ID may be same as the {@linkplain #getOffset() offset}.
* If this is true, then any future calculations, such as addition or subtraction,
* have no complex edge cases due to time-zone rules.
* See also {@link #withFixedOffsetZone()}.
*
* @return the time-zone, not null
*/
// override
public ZoneId getZone() {
return zone;
}
/**
* Returns a copy of this date-time with a different time-zone,
* retaining the local date-time if possible.
* !(p)
* This method changes the time-zone and retains the local date-time.
* The local date-time is only changed if it is invalid for the new zone,
* determined using the same approach as
* {@link #ofLocal(LocalDateTime, ZoneId, ZoneOffset)}.
* !(p)
* To change the zone and adjust the local date-time,
* use {@link #withZoneSameInstant(ZoneId)}.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param zone the time-zone to change to, not null
* @return a {@code ZonedDateTime} based on this date-time with the requested zone, not null
*/
// override
public ZonedDateTime withZoneSameLocal(ZoneId zone) {
assert(zone, "zone");
return this.zone == (zone) ? this : ofLocal(dateTime, zone, offset);
}
/**
* Returns a copy of this date-time with a different time-zone,
* retaining the instant.
* !(p)
* This method changes the time-zone and retains the instant.
* This normally results _in a change to the local date-time.
* !(p)
* This method is based on retaining the same instant, thus gaps and overlaps
* _in the local time-line have no effect on the result.
* !(p)
* To change the offset while keeping the local time,
* use {@link #withZoneSameLocal(ZoneId)}.
*
* @param zone the time-zone to change to, not null
* @return a {@code ZonedDateTime} based on this date-time with the requested zone, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
// override
public ZonedDateTime withZoneSameInstant(ZoneId zone) {
assert(zone, "zone");
return this.zone == (zone) ? this :
create(dateTime.toEpochSecond(offset), dateTime.getNano(), zone);
}
/**
* Returns a copy of this date-time with the zone ID set to the offset.
* !(p)
* This returns a zoned date-time where the zone ID is the same as {@link #getOffset()}.
* The local date-time, offset and instant of the result will be the same as _in this date-time.
* !(p)
* Setting the date-time to a fixed single offset means that any future
* calculations, such as addition or subtraction, have no complex edge cases
* due to time-zone rules.
* This might also be useful when sending a zoned date-time across a network,
* as most protocols, such as ISO-8601, only handle offsets,
* and not region-based zone IDs.
* !(p)
* This is equivalent to {@code ZonedDateTime.of(zdt.toLocalDateTime(), zdt.getOffset())}.
*
* @return a {@code ZonedDateTime} with the zone ID set to the offset, not null
*/
public ZonedDateTime withFixedOffsetZone() {
return this.zone == (offset) ? this : new ZonedDateTime(dateTime, offset, offset);
}
//-----------------------------------------------------------------------
/**
* Gets the {@code LocalDateTime} part of this date-time.
* !(p)
* This returns a {@code LocalDateTime} with the same year, month, day and time
* as this date-time.
*
* @return the local date-time part of this date-time, not null
*/
// override // override for return type
public LocalDateTime toLocalDateTime() {
return dateTime;
}
//-----------------------------------------------------------------------
/**
* Gets the {@code LocalDate} part of this date-time.
* !(p)
* This returns a {@code LocalDate} with the same year, month and day
* as this date-time.
*
* @return the date part of this date-time, not null
*/
// override // override for return type
public LocalDate toLocalDate() {
return dateTime.toLocalDate();
}
/**
* Gets the year field.
* !(p)
* This method returns the primitive {@code int} value for the year.
* !(p)
* The year returned by this method is proleptic as per {@code get(YEAR)}.
* To obtain the year-of-era, use {@code get(YEAR_OF_ERA)}.
*
* @return the year, from MIN_YEAR to MAX_YEAR
*/
public int getYear() {
return dateTime.getYear();
}
/**
* Gets the month-of-year field from 1 to 12.
* !(p)
* This method returns the month as an {@code int} from 1 to 12.
* Application code is frequently clearer if the enum {@link Month}
* is used by calling {@link #getMonth()}.
*
* @return the month-of-year, from 1 to 12
* @see #getMonth()
*/
public int getMonthValue() {
return dateTime.getMonthValue();
}
/**
* Gets the month-of-year field using the {@code Month} enum.
* !(p)
* This method returns the enum {@link Month} for the month.
* This avoids confusion as to what {@code int} values mean.
* If you need access to the primitive {@code int} value then the enum
* provides the {@link Month#getValue() int value}.
*
* @return the month-of-year, not null
* @see #getMonthValue()
*/
public Month getMonth() {
return dateTime.getMonth();
}
/**
* Gets the day-of-month field.
* !(p)
* This method returns the primitive {@code int} value for the day-of-month.
*
* @return the day-of-month, from 1 to 31
*/
public int getDayOfMonth() {
return dateTime.getDayOfMonth();
}
/**
* Gets the day-of-year field.
* !(p)
* This method returns the primitive {@code int} value for the day-of-year.
*
* @return the day-of-year, from 1 to 365, or 366 _in a leap year
*/
public int getDayOfYear() {
return dateTime.getDayOfYear();
}
/**
* Gets the day-of-week field, which is an enum {@code DayOfWeek}.
* !(p)
* This method returns the enum {@link DayOfWeek} for the day-of-week.
* This avoids confusion as to what {@code int} values mean.
* If you need access to the primitive {@code int} value then the enum
* provides the {@link DayOfWeek#getValue() int value}.
* !(p)
* Additional information can be obtained from the {@code DayOfWeek}.
* This includes textual names of the values.
*
* @return the day-of-week, not null
*/
public DayOfWeek getDayOfWeek() {
return dateTime.getDayOfWeek();
}
//-----------------------------------------------------------------------
/**
* Gets the {@code LocalTime} part of this date-time.
* !(p)
* This returns a {@code LocalTime} with the same hour, minute, second and
* nanosecond as this date-time.
*
* @return the time part of this date-time, not null
*/
// override // override for Javadoc and performance
public LocalTime toLocalTime() {
return dateTime.toLocalTime();
}
/**
* Gets the hour-of-day field.
*
* @return the hour-of-day, from 0 to 23
*/
public int getHour() {
return dateTime.getHour();
}
/**
* Gets the minute-of-hour field.
*
* @return the minute-of-hour, from 0 to 59
*/
public int getMinute() {
return dateTime.getMinute();
}
/**
* Gets the second-of-minute field.
*
* @return the second-of-minute, from 0 to 59
*/
public int getSecond() {
return dateTime.getSecond();
}
/**
* Gets the nano-of-second field.
*
* @return the nano-of-second, from 0 to 999,999,999
*/
public int getNano() {
return dateTime.getNano();
}
//-----------------------------------------------------------------------
/**
* Returns an adjusted copy of this date-time.
* !(p)
* This returns a {@code ZonedDateTime}, based on this one, with the date-time adjusted.
* The adjustment takes place using the specified adjuster strategy object.
* Read the documentation of the adjuster to understand what adjustment will be made.
* !(p)
* A simple adjuster might simply set the one of the fields, such as the year field.
* A more complex adjuster might set the date to the last day of the month.
* A selection of common adjustments is provided _in
* {@link hunt.time.temporal.TemporalAdjusters TemporalAdjusters}.
* These include finding the "last day of the month" and "next Wednesday".
* Key date-time classes also implement the {@code TemporalAdjuster} interface,
* such as {@link Month} and {@link hunt.time.MonthDay MonthDay}.
* The adjuster is responsible for handling special cases, such as the varying
* lengths of month and leap years.
* !(p)
* For example this code returns a date on the last day of July:
* !(pre)
* import hunt.time.Month.*;
* import hunt.time.temporal.TemporalAdjusters.*;
*
* result = zonedDateTime._with(JULY)._with(lastDayOfMonth());
* </pre>
* !(p)
* The classes {@link LocalDate} and {@link LocalTime} implement {@code TemporalAdjuster},
* thus this method can be used to change the date, time or offset:
* !(pre)
* result = zonedDateTime._with(date);
* result = zonedDateTime._with(time);
* </pre>
* !(p)
* {@link ZoneOffset} also implements {@code TemporalAdjuster} however using it
* as an argument typically has no effect. The offset of a {@code ZonedDateTime} is
* controlled primarily by the time-zone. As such, changing the offset does not generally
* make sense, because there is only one valid offset for the local date-time and zone.
* If the zoned date-time is _in a daylight savings overlap, then the offset is used
* to switch between the two valid offsets. In all other cases, the offset is ignored.
* !(p)
* The result of this method is obtained by invoking the
* {@link TemporalAdjuster#adjustInto(Temporal)} method on the
* specified adjuster passing {@code this} as the argument.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param adjuster the adjuster to use, not null
* @return a {@code ZonedDateTime} based on {@code this} with the adjustment made, not null
* @throws DateTimeException if the adjustment cannot be made
* @throws ArithmeticException if numeric overflow occurs
*/
override
public ZonedDateTime _with(TemporalAdjuster adjuster) {
// optimizations
if (cast(LocalDate)(adjuster) !is null) {
return resolveLocal(LocalDateTime.of(cast(LocalDate) adjuster, dateTime.toLocalTime()));
} else if (cast(LocalTime)(adjuster) !is null) {
return resolveLocal(LocalDateTime.of(dateTime.toLocalDate(), cast(LocalTime) adjuster));
} else if (cast(LocalDateTime)(adjuster) !is null) {
return resolveLocal(cast(LocalDateTime) adjuster);
} else if (cast(OffsetDateTime)(adjuster) !is null) {
OffsetDateTime odt = cast(OffsetDateTime) adjuster;
return ofLocal(odt.toLocalDateTime(), zone, odt.getOffset());
} else if (cast(Instant)(adjuster) !is null) {
Instant instant = cast(Instant) adjuster;
return create(instant.getEpochSecond(), instant.getNano(), zone);
} else if (cast(ZoneOffset)(adjuster) !is null) {
return resolveOffset(cast(ZoneOffset) adjuster);
}
return cast(ZonedDateTime) adjuster.adjustInto(this);
}
/**
* Returns a copy of this date-time with the specified field set to a new value.
* !(p)
* This returns a {@code ZonedDateTime}, based on this one, with the value
* for the specified field changed.
* This can be used to change any supported field, such as the year, month or day-of-month.
* If it is not possible to set the value, because the field is not supported or for
* some other reason, an exception is thrown.
* !(p)
* In some cases, changing the specified field can cause the resulting date-time to become invalid,
* such as changing the month from 31st January to February would make the day-of-month invalid.
* In cases like this, the field is responsible for resolving the date. Typically it will choose
* the previous valid date, which would be the last valid day of February _in this example.
* !(p)
* If the field is a {@link ChronoField} then the adjustment is implemented here.
* !(p)
* The {@code INSTANT_SECONDS} field will return a date-time with the specified instant.
* The zone and nano-of-second are unchanged.
* The result will have an offset derived from the new instant and original zone.
* If the new instant value is outside the valid range then a {@code DateTimeException} will be thrown.
* !(p)
* The {@code OFFSET_SECONDS} field will typically be ignored.
* The offset of a {@code ZonedDateTime} is controlled primarily by the time-zone.
* As such, changing the offset does not generally make sense, because there is only
* one valid offset for the local date-time and zone.
* If the zoned date-time is _in a daylight savings overlap, then the offset is used
* to switch between the two valid offsets. In all other cases, the offset is ignored.
* If the new offset value is outside the valid range then a {@code DateTimeException} will be thrown.
* !(p)
* The other {@link #isSupported(TemporalField) supported fields} will behave as per
* the matching method on {@link LocalDateTime#_with(TemporalField, long) LocalDateTime}.
* The zone is not part of the calculation and will be unchanged.
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* All other {@code ChronoField} instances will throw an {@code UnsupportedTemporalTypeException}.
* !(p)
* If the field is not a {@code ChronoField}, then the result of this method
* is obtained by invoking {@code TemporalField.adjustInto(Temporal, long)}
* passing {@code this} as the argument. In this case, the field determines
* whether and how to adjust the instant.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param field the field to set _in the result, not null
* @param newValue the new value of the field _in the result
* @return a {@code ZonedDateTime} based on {@code this} with the specified field set, not null
* @throws DateTimeException if the field cannot be set
* @throws UnsupportedTemporalTypeException if the field is not supported
* @throws ArithmeticException if numeric overflow occurs
*/
override
public ZonedDateTime _with(TemporalField field, long newValue) {
if (cast(ChronoField)(field) !is null) {
ChronoField f = cast(ChronoField) field;
{
if( f == ChronoField.INSTANT_SECONDS)
return create(newValue, getNano(), zone);
if( f == ChronoField.OFFSET_SECONDS){
ZoneOffset offset = ZoneOffset.ofTotalSeconds(f.checkValidIntValue(newValue));
return resolveOffset(offset);
}
}
return resolveLocal(dateTime._with(field, newValue));
}
return cast(ZonedDateTime)(field.adjustInto(this, newValue));
}
//-----------------------------------------------------------------------
/**
* Returns a copy of this {@code ZonedDateTime} with the year altered.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#withYear(int) changing the year} of the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param year the year to set _in the result, from MIN_YEAR to MAX_YEAR
* @return a {@code ZonedDateTime} based on this date-time with the requested year, not null
* @throws DateTimeException if the year value is invalid
*/
public ZonedDateTime withYear(int year) {
return resolveLocal(dateTime.withYear(year));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the month-of-year altered.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#withMonth(int) changing the month} of the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param month the month-of-year to set _in the result, from 1 (January) to 12 (December)
* @return a {@code ZonedDateTime} based on this date-time with the requested month, not null
* @throws DateTimeException if the month-of-year value is invalid
*/
public ZonedDateTime withMonth(int month) {
return resolveLocal(dateTime.withMonth(month));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the day-of-month altered.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#withDayOfMonth(int) changing the day-of-month} of the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param dayOfMonth the day-of-month to set _in the result, from 1 to 28-31
* @return a {@code ZonedDateTime} based on this date-time with the requested day, not null
* @throws DateTimeException if the day-of-month value is invalid,
* or if the day-of-month is invalid for the month-year
*/
public ZonedDateTime withDayOfMonth(int dayOfMonth) {
return resolveLocal(dateTime.withDayOfMonth(dayOfMonth));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the day-of-year altered.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#withDayOfYear(int) changing the day-of-year} of the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param dayOfYear the day-of-year to set _in the result, from 1 to 365-366
* @return a {@code ZonedDateTime} based on this date with the requested day, not null
* @throws DateTimeException if the day-of-year value is invalid,
* or if the day-of-year is invalid for the year
*/
public ZonedDateTime withDayOfYear(int dayOfYear) {
return resolveLocal(dateTime.withDayOfYear(dayOfYear));
}
//-----------------------------------------------------------------------
/**
* Returns a copy of this {@code ZonedDateTime} with the hour-of-day altered.
* !(p)
* This operates on the local time-line,
* {@linkplain LocalDateTime#withHour(int) changing the time} of the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param hour the hour-of-day to set _in the result, from 0 to 23
* @return a {@code ZonedDateTime} based on this date-time with the requested hour, not null
* @throws DateTimeException if the hour value is invalid
*/
public ZonedDateTime withHour(int hour) {
return resolveLocal(dateTime.withHour(hour));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the minute-of-hour altered.
* !(p)
* This operates on the local time-line,
* {@linkplain LocalDateTime#withMinute(int) changing the time} of the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param minute the minute-of-hour to set _in the result, from 0 to 59
* @return a {@code ZonedDateTime} based on this date-time with the requested minute, not null
* @throws DateTimeException if the minute value is invalid
*/
public ZonedDateTime withMinute(int minute) {
return resolveLocal(dateTime.withMinute(minute));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the second-of-minute altered.
* !(p)
* This operates on the local time-line,
* {@linkplain LocalDateTime#withSecond(int) changing the time} of the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param second the second-of-minute to set _in the result, from 0 to 59
* @return a {@code ZonedDateTime} based on this date-time with the requested second, not null
* @throws DateTimeException if the second value is invalid
*/
public ZonedDateTime withSecond(int second) {
return resolveLocal(dateTime.withSecond(second));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the nano-of-second altered.
* !(p)
* This operates on the local time-line,
* {@linkplain LocalDateTime#withNano(int) changing the time} of the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param nanoOfSecond the nano-of-second to set _in the result, from 0 to 999,999,999
* @return a {@code ZonedDateTime} based on this date-time with the requested nanosecond, not null
* @throws DateTimeException if the nano value is invalid
*/
public ZonedDateTime withNano(int nanoOfSecond) {
return resolveLocal(dateTime.withNano(nanoOfSecond));
}
//-----------------------------------------------------------------------
/**
* Returns a copy of this {@code ZonedDateTime} with the time truncated.
* !(p)
* Truncation returns a copy of the original date-time with fields
* smaller than the specified unit set to zero.
* For example, truncating with the {@link ChronoUnit#MINUTES minutes} unit
* will set the second-of-minute and nano-of-second field to zero.
* !(p)
* The unit must have a {@linkplain TemporalUnit#getDuration() duration}
* that divides into the length of a standard day without remainder.
* This includes all supplied time units on {@link ChronoUnit} and
* {@link ChronoUnit#DAYS DAYS}. Other units throw an exception.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#truncatedTo(TemporalUnit) truncating}
* the underlying local date-time. This is then converted back to a
* {@code ZonedDateTime}, using the zone ID to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param unit the unit to truncate to, not null
* @return a {@code ZonedDateTime} based on this date-time with the time truncated, not null
* @throws DateTimeException if unable to truncate
* @throws UnsupportedTemporalTypeException if the unit is not supported
*/
public ZonedDateTime truncatedTo(TemporalUnit unit) {
return resolveLocal(dateTime.truncatedTo(unit));
}
//-----------------------------------------------------------------------
/**
* Returns a copy of this date-time with the specified amount added.
* !(p)
* This returns a {@code ZonedDateTime}, based on this one, with the specified amount added.
* The amount is typically {@link Period} or {@link Duration} but may be
* any other type implementing the {@link TemporalAmount} interface.
* !(p)
* The calculation is delegated to the amount object by calling
* {@link TemporalAmount#addTo(Temporal)}. The amount implementation is free
* to implement the addition _in any way it wishes, however it typically
* calls back to {@link #plus(long, TemporalUnit)}. Consult the documentation
* of the amount implementation to determine if it can be successfully added.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param amountToAdd the amount to add, not null
* @return a {@code ZonedDateTime} based on this date-time with the addition made, not null
* @throws DateTimeException if the addition cannot be made
* @throws ArithmeticException if numeric overflow occurs
*/
override
public ZonedDateTime plus(TemporalAmount amountToAdd) {
if (cast(Period)(amountToAdd) !is null) {
Period periodToAdd = cast(Period) amountToAdd;
return resolveLocal(dateTime.plus(periodToAdd));
}
assert(amountToAdd, "amountToAdd");
return cast(ZonedDateTime) amountToAdd.addTo(this);
}
/**
* Returns a copy of this date-time with the specified amount added.
* !(p)
* This returns a {@code ZonedDateTime}, based on this one, with the amount
* _in terms of the unit added. If it is not possible to add the amount, because the
* unit is not supported or for some other reason, an exception is thrown.
* !(p)
* If the field is a {@link ChronoUnit} then the addition is implemented here.
* The zone is not part of the calculation and will be unchanged _in the result.
* The calculation for date and time units differ.
* !(p)
* Date units operate on the local time-line.
* The period is first added to the local date-time, then converted back
* to a zoned date-time using the zone ID.
* The conversion uses {@link #ofLocal(LocalDateTime, ZoneId, ZoneOffset)}
* with the offset before the addition.
* !(p)
* Time units operate on the instant time-line.
* The period is first added to the local date-time, then converted back to
* a zoned date-time using the zone ID.
* The conversion uses {@link #ofInstant(LocalDateTime, ZoneOffset, ZoneId)}
* with the offset before the addition.
* !(p)
* If the field is not a {@code ChronoUnit}, then the result of this method
* is obtained by invoking {@code TemporalUnit.addTo(Temporal, long)}
* passing {@code this} as the argument. In this case, the unit determines
* whether and how to perform the addition.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param amountToAdd the amount of the unit to add to the result, may be negative
* @param unit the unit of the amount to add, not null
* @return a {@code ZonedDateTime} based on this date-time with the specified amount added, not null
* @throws DateTimeException if the addition cannot be made
* @throws UnsupportedTemporalTypeException if the unit is not supported
* @throws ArithmeticException if numeric overflow occurs
*/
override
public ZonedDateTime plus(long amountToAdd, TemporalUnit unit) {
if (cast(ChronoUnit)(unit) !is null) {
if (unit.isDateBased()) {
return resolveLocal(dateTime.plus(amountToAdd, unit));
} else {
return resolveInstant(dateTime.plus(amountToAdd, unit));
}
}
return cast(ZonedDateTime)(unit.addTo(this, amountToAdd));
}
//-----------------------------------------------------------------------
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of years added.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#plusYears(long) adding years} to the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param years the years to add, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the years added, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime plusYears(long years) {
return resolveLocal(dateTime.plusYears(years));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of months added.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#plusMonths(long) adding months} to the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param months the months to add, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the months added, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime plusMonths(long months) {
return resolveLocal(dateTime.plusMonths(months));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of weeks added.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#plusWeeks(long) adding weeks} to the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param weeks the weeks to add, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the weeks added, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime plusWeeks(long weeks) {
return resolveLocal(dateTime.plusWeeks(weeks));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of days added.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#plusDays(long) adding days} to the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param days the days to add, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the days added, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime plusDays(long days) {
return resolveLocal(dateTime.plusDays(days));
}
//-----------------------------------------------------------------------
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of hours added.
* !(p)
* This operates on the instant time-line, such that adding one hour will
* always be a duration of one hour later.
* This may cause the local date-time to change by an amount other than one hour.
* Note that this is a different approach to that used by days, months and years,
* thus adding one day is not the same as adding 24 hours.
* !(p)
* For example, consider a time-zone, such as 'Europe/Paris', where the
* Autumn DST cutover means that the local times 02:00 to 02:59 occur twice
* changing from offset +02:00 _in summer to +01:00 _in winter.
* !(ul)
* !(li)Adding one hour to 01:30+02:00 will result _in 02:30+02:00
* (both _in summer time)
* !(li)Adding one hour to 02:30+02:00 will result _in 02:30+01:00
* (moving from summer to winter time)
* !(li)Adding one hour to 02:30+01:00 will result _in 03:30+01:00
* (both _in winter time)
* !(li)Adding three hours to 01:30+02:00 will result _in 03:30+01:00
* (moving from summer to winter time)
* </ul>
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param hours the hours to add, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the hours added, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime plusHours(long hours) {
return resolveInstant(dateTime.plusHours(hours));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of minutes added.
* !(p)
* This operates on the instant time-line, such that adding one minute will
* always be a duration of one minute later.
* This may cause the local date-time to change by an amount other than one minute.
* Note that this is a different approach to that used by days, months and years.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param minutes the minutes to add, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the minutes added, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime plusMinutes(long minutes) {
return resolveInstant(dateTime.plusMinutes(minutes));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of seconds added.
* !(p)
* This operates on the instant time-line, such that adding one second will
* always be a duration of one second later.
* This may cause the local date-time to change by an amount other than one second.
* Note that this is a different approach to that used by days, months and years.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param seconds the seconds to add, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the seconds added, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime plusSeconds(long seconds) {
return resolveInstant(dateTime.plusSeconds(seconds));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of nanoseconds added.
* !(p)
* This operates on the instant time-line, such that adding one nano will
* always be a duration of one nano later.
* This may cause the local date-time to change by an amount other than one nano.
* Note that this is a different approach to that used by days, months and years.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param nanos the nanos to add, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the nanoseconds added, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime plusNanos(long nanos) {
return resolveInstant(dateTime.plusNanos(nanos));
}
//-----------------------------------------------------------------------
/**
* Returns a copy of this date-time with the specified amount subtracted.
* !(p)
* This returns a {@code ZonedDateTime}, based on this one, with the specified amount subtracted.
* The amount is typically {@link Period} or {@link Duration} but may be
* any other type implementing the {@link TemporalAmount} interface.
* !(p)
* The calculation is delegated to the amount object by calling
* {@link TemporalAmount#subtractFrom(Temporal)}. The amount implementation is free
* to implement the subtraction _in any way it wishes, however it typically
* calls back to {@link #minus(long, TemporalUnit)}. Consult the documentation
* of the amount implementation to determine if it can be successfully subtracted.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param amountToSubtract the amount to subtract, not null
* @return a {@code ZonedDateTime} based on this date-time with the subtraction made, not null
* @throws DateTimeException if the subtraction cannot be made
* @throws ArithmeticException if numeric overflow occurs
*/
override
public ZonedDateTime minus(TemporalAmount amountToSubtract) {
if (cast(Period)(amountToSubtract) !is null) {
Period periodToSubtract = cast(Period) amountToSubtract;
return resolveLocal(dateTime.minus(periodToSubtract));
}
assert(amountToSubtract, "amountToSubtract");
return cast(ZonedDateTime) amountToSubtract.subtractFrom(this);
}
/**
* Returns a copy of this date-time with the specified amount subtracted.
* !(p)
* This returns a {@code ZonedDateTime}, based on this one, with the amount
* _in terms of the unit subtracted. If it is not possible to subtract the amount,
* because the unit is not supported or for some other reason, an exception is thrown.
* !(p)
* The calculation for date and time units differ.
* !(p)
* Date units operate on the local time-line.
* The period is first subtracted from the local date-time, then converted back
* to a zoned date-time using the zone ID.
* The conversion uses {@link #ofLocal(LocalDateTime, ZoneId, ZoneOffset)}
* with the offset before the subtraction.
* !(p)
* Time units operate on the instant time-line.
* The period is first subtracted from the local date-time, then converted back to
* a zoned date-time using the zone ID.
* The conversion uses {@link #ofInstant(LocalDateTime, ZoneOffset, ZoneId)}
* with the offset before the subtraction.
* !(p)
* This method is equivalent to {@link #plus(long, TemporalUnit)} with the amount negated.
* See that method for a full description of how addition, and thus subtraction, works.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param amountToSubtract the amount of the unit to subtract from the result, may be negative
* @param unit the unit of the amount to subtract, not null
* @return a {@code ZonedDateTime} based on this date-time with the specified amount subtracted, not null
* @throws DateTimeException if the subtraction cannot be made
* @throws UnsupportedTemporalTypeException if the unit is not supported
* @throws ArithmeticException if numeric overflow occurs
*/
override
public ZonedDateTime minus(long amountToSubtract, TemporalUnit unit) {
return (amountToSubtract == Long.MIN_VALUE ? plus(Long.MAX_VALUE, unit).plus(1, unit) : plus(-amountToSubtract, unit));
}
//-----------------------------------------------------------------------
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of years subtracted.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#minusYears(long) subtracting years} to the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param years the years to subtract, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the years subtracted, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime minusYears(long years) {
return (years == Long.MIN_VALUE ? plusYears(Long.MAX_VALUE).plusYears(1) : plusYears(-years));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of months subtracted.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#minusMonths(long) subtracting months} to the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param months the months to subtract, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the months subtracted, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime minusMonths(long months) {
return (months == Long.MIN_VALUE ? plusMonths(Long.MAX_VALUE).plusMonths(1) : plusMonths(-months));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of weeks subtracted.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#minusWeeks(long) subtracting weeks} to the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param weeks the weeks to subtract, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the weeks subtracted, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime minusWeeks(long weeks) {
return (weeks == Long.MIN_VALUE ? plusWeeks(Long.MAX_VALUE).plusWeeks(1) : plusWeeks(-weeks));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of days subtracted.
* !(p)
* This operates on the local time-line,
* {@link LocalDateTime#minusDays(long) subtracting days} to the local date-time.
* This is then converted back to a {@code ZonedDateTime}, using the zone ID
* to obtain the offset.
* !(p)
* When converting back to {@code ZonedDateTime}, if the local date-time is _in an overlap,
* then the offset will be retained if possible, otherwise the earlier offset will be used.
* If _in a gap, the local date-time will be adjusted forward by the length of the gap.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param days the days to subtract, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the days subtracted, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime minusDays(long days) {
return (days == Long.MIN_VALUE ? plusDays(Long.MAX_VALUE).plusDays(1) : plusDays(-days));
}
//-----------------------------------------------------------------------
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of hours subtracted.
* !(p)
* This operates on the instant time-line, such that subtracting one hour will
* always be a duration of one hour earlier.
* This may cause the local date-time to change by an amount other than one hour.
* Note that this is a different approach to that used by days, months and years,
* thus subtracting one day is not the same as adding 24 hours.
* !(p)
* For example, consider a time-zone, such as 'Europe/Paris', where the
* Autumn DST cutover means that the local times 02:00 to 02:59 occur twice
* changing from offset +02:00 _in summer to +01:00 _in winter.
* !(ul)
* !(li)Subtracting one hour from 03:30+01:00 will result _in 02:30+01:00
* (both _in winter time)
* !(li)Subtracting one hour from 02:30+01:00 will result _in 02:30+02:00
* (moving from winter to summer time)
* !(li)Subtracting one hour from 02:30+02:00 will result _in 01:30+02:00
* (both _in summer time)
* !(li)Subtracting three hours from 03:30+01:00 will result _in 01:30+02:00
* (moving from winter to summer time)
* </ul>
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param hours the hours to subtract, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the hours subtracted, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime minusHours(long hours) {
return (hours == Long.MIN_VALUE ? plusHours(Long.MAX_VALUE).plusHours(1) : plusHours(-hours));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of minutes subtracted.
* !(p)
* This operates on the instant time-line, such that subtracting one minute will
* always be a duration of one minute earlier.
* This may cause the local date-time to change by an amount other than one minute.
* Note that this is a different approach to that used by days, months and years.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param minutes the minutes to subtract, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the minutes subtracted, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime minusMinutes(long minutes) {
return (minutes == Long.MIN_VALUE ? plusMinutes(Long.MAX_VALUE).plusMinutes(1) : plusMinutes(-minutes));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of seconds subtracted.
* !(p)
* This operates on the instant time-line, such that subtracting one second will
* always be a duration of one second earlier.
* This may cause the local date-time to change by an amount other than one second.
* Note that this is a different approach to that used by days, months and years.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param seconds the seconds to subtract, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the seconds subtracted, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime minusSeconds(long seconds) {
return (seconds == Long.MIN_VALUE ? plusSeconds(Long.MAX_VALUE).plusSeconds(1) : plusSeconds(-seconds));
}
/**
* Returns a copy of this {@code ZonedDateTime} with the specified number of nanoseconds subtracted.
* !(p)
* This operates on the instant time-line, such that subtracting one nano will
* always be a duration of one nano earlier.
* This may cause the local date-time to change by an amount other than one nano.
* Note that this is a different approach to that used by days, months and years.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param nanos the nanos to subtract, may be negative
* @return a {@code ZonedDateTime} based on this date-time with the nanoseconds subtracted, not null
* @throws DateTimeException if the result exceeds the supported date range
*/
public ZonedDateTime minusNanos(long nanos) {
return (nanos == Long.MIN_VALUE ? plusNanos(Long.MAX_VALUE).plusNanos(1) : plusNanos(-nanos));
}
//-----------------------------------------------------------------------
/**
* Queries this date-time using the specified query.
* !(p)
* This queries this date-time using the specified query strategy object.
* The {@code TemporalQuery} object defines the logic to be used to
* obtain the result. Read the documentation of the query to understand
* what the result of this method will be.
* !(p)
* The result of this method is obtained by invoking the
* {@link TemporalQuery#queryFrom(TemporalAccessor)} method on the
* specified query passing {@code this} as the argument.
*
* @param !(R) the type of the result
* @param query the query to invoke, not null
* @return the query result, null may be returned (defined by the query)
* @throws DateTimeException if unable to query (defined by the query)
* @throws ArithmeticException if numeric overflow occurs (defined by the query)
*/
/*@SuppressWarnings("unchecked")*/
// override // override for Javadoc
public R query(R)(TemporalQuery!(R) query) {
if (query == TemporalQueries.localDate()) {
return cast(R) toLocalDate();
}
return /* ChronoZonedDateTime. */super_query(query);
}
R super_query(R)(TemporalQuery!(R) query) {
if (query == TemporalQueries.zoneId()
|| query == TemporalQueries.chronology()
|| query == TemporalQueries.precision()) {
return null;
}
return query.queryFrom(this);
}
/**
* Calculates the amount of time until another date-time _in terms of the specified unit.
* !(p)
* This calculates the amount of time between two {@code ZonedDateTime}
* objects _in terms of a single {@code TemporalUnit}.
* The start and end points are {@code this} and the specified date-time.
* The result will be negative if the end is before the start.
* For example, the amount _in days between two date-times can be calculated
* using {@code startDateTime.until(endDateTime, DAYS)}.
* !(p)
* The {@code Temporal} passed to this method is converted to a
* {@code ZonedDateTime} using {@link #from(TemporalAccessor)}.
* If the time-zone differs between the two zoned date-times, the specified
* end date-time is normalized to have the same zone as this date-time.
* !(p)
* The calculation returns a whole number, representing the number of
* complete units between the two date-times.
* For example, the amount _in months between 2012-06-15T00:00Z and 2012-08-14T23:59Z
* will only be one month as it is one minute short of two months.
* !(p)
* There are two equivalent ways of using this method.
* The first is to invoke this method.
* The second is to use {@link TemporalUnit#between(Temporal, Temporal)}:
* !(pre)
* // these two lines are equivalent
* amount = start.until(end, MONTHS);
* amount = MONTHS.between(start, end);
* </pre>
* The choice should be made based on which makes the code more readable.
* !(p)
* The calculation is implemented _in this method for {@link ChronoUnit}.
* The units {@code NANOS}, {@code MICROS}, {@code MILLIS}, {@code SECONDS},
* {@code MINUTES}, {@code HOURS} and {@code HALF_DAYS}, {@code DAYS},
* {@code WEEKS}, {@code MONTHS}, {@code YEARS}, {@code DECADES},
* {@code CENTURIES}, {@code MILLENNIA} and {@code ERAS} are supported.
* Other {@code ChronoUnit} values will throw an exception.
* !(p)
* The calculation for date and time units differ.
* !(p)
* Date units operate on the local time-line, using the local date-time.
* For example, the period from noon on day 1 to noon the following day
* _in days will always be counted as exactly one day, irrespective of whether
* there was a daylight savings change or not.
* !(p)
* Time units operate on the instant time-line.
* The calculation effectively converts both zoned date-times to instants
* and then calculates the period between the instants.
* For example, the period from noon on day 1 to noon the following day
* _in hours may be 23, 24 or 25 hours (or some other amount) depending on
* whether there was a daylight savings change or not.
* !(p)
* If the unit is not a {@code ChronoUnit}, then the result of this method
* is obtained by invoking {@code TemporalUnit.between(Temporal, Temporal)}
* passing {@code this} as the first argument and the converted input temporal
* as the second argument.
* !(p)
* This instance is immutable and unaffected by this method call.
*
* @param endExclusive the end date, exclusive, which is converted to a {@code ZonedDateTime}, not null
* @param unit the unit to measure the amount _in, not null
* @return the amount of time between this date-time and the end date-time
* @throws DateTimeException if the amount cannot be calculated, or the end
* temporal cannot be converted to a {@code ZonedDateTime}
* @throws UnsupportedTemporalTypeException if the unit is not supported
* @throws ArithmeticException if numeric overflow occurs
*/
override
public long until(Temporal endExclusive, TemporalUnit unit) {
ZonedDateTime end = ZonedDateTime.from(endExclusive);
if (cast(ChronoUnit)(unit) !is null) {
end = end.withZoneSameInstant(zone);
if (unit.isDateBased()) {
return dateTime.until(end.dateTime, unit);
} else {
return toOffsetDateTime().until(end.toOffsetDateTime(), unit);
}
}
return unit.between(this, end);
}
/**
* Formats this date-time using the specified formatter.
* !(p)
* This date-time will be passed to the formatter to produce a string.
*
* @param formatter the formatter to use, not null
* @return the formatted date-time string, not null
* @throws DateTimeException if an error occurs during printing
*/
// override // override for Javadoc and performance
// public string format(DateTimeFormatter formatter) {
// assert(formatter, "formatter");
// return formatter.format(this);
// }
//-----------------------------------------------------------------------
/**
* Converts this date-time to an {@code OffsetDateTime}.
* !(p)
* This creates an offset date-time using the local date-time and offset.
* The zone ID is ignored.
*
* @return an offset date-time representing the same local date-time and offset, not null
*/
public OffsetDateTime toOffsetDateTime() {
return OffsetDateTime.of(dateTime, offset);
}
//-----------------------------------------------------------------------
/**
* Checks if this date-time is equal to another date-time.
* !(p)
* The comparison is based on the offset date-time and the zone.
* Only objects of type {@code ZonedDateTime} are compared, other types return false.
*
* @param obj the object to check, null returns false
* @return true if this is equal to the other date-time
*/
override
public bool opEquals(Object obj) {
if (this is obj) {
return true;
}
if (cast(ZonedDateTime)(obj) !is null) {
ZonedDateTime other = cast(ZonedDateTime) obj;
return dateTime == (other.dateTime) &&
offset == (other.offset) &&
zone == (other.zone);
}
return false;
}
/**
* A hash code for this date-time.
*
* @return a suitable hash code
*/
override
public size_t toHash() @trusted nothrow {
try{
return dateTime.toHash() ^ offset.toHash() ^ Integer.rotateLeft(cast(int)(zone.toHash()), 3);
}
catch(Exception e){
return int.init;
}
}
//-----------------------------------------------------------------------
/**
* Outputs this date-time as a {@code string}, such as
* {@code 2007-12-03T10:15:30+01:00[Europe/Paris]}.
* !(p)
* The format consists of the {@code LocalDateTime} followed by the {@code ZoneOffset}.
* If the {@code ZoneId} is not the same as the offset, then the ID is output.
* The output is compatible with ISO-8601 if the offset and ID are the same.
*
* @return a string representation of this date-time, not null
*/
override // override for Javadoc
public string toString() {
string str = dateTime.toString() ~ offset.toString();
if (offset != zone) {
str ~= '[' ~ zone.toString() ~ ']';
}
return str;
}
//-----------------------------------------------------------------------
/**
* Writes the object using a
* <a href="{@docRoot}/serialized-form.html#hunt.time.Ser">dedicated serialized form</a>.
* @serialData
* !(pre)
* _out.writeByte(6); // identifies a ZonedDateTime
* // the <a href="{@docRoot}/serialized-form.html#hunt.time.LocalDateTime">dateTime</a> excluding the one byte header
* // the <a href="{@docRoot}/serialized-form.html#hunt.time.ZoneOffset">offset</a> excluding the one byte header
* // the <a href="{@docRoot}/serialized-form.html#hunt.time.ZoneId">zone ID</a> excluding the one byte header
* </pre>
*
* @return the instance of {@code Ser}, not null
*/
// private Object writeReplace() {
// return new Ser(Ser.ZONE_DATE_TIME_TYPE, this);
// }
/**
* Defend against malicious streams.
*
* @param s the stream to read
* @throws InvalidObjectException always
*/
///@gxc
// private void readObject(ObjectInputStream s) /*throws InvalidObjectException*/ {
// throw new InvalidObjectException("Deserialization via serialization delegate");
// }
// void writeExternal(DataOutput _out) /*throws IOException*/ {
// dateTime.writeExternal(_out);
// offset.writeExternal(_out);
// zone.write(_out);
// }
// static ZonedDateTime readExternal(ObjectInput _in) /*throws IOException, ClassNotFoundException*/ {
// LocalDateTime dateTime = LocalDateTime.readExternal(_in);
// ZoneOffset offset = ZoneOffset.readExternal(_in);
// ZoneId zone = cast(ZoneId) Ser.read(_in);
// return ZonedDateTime.ofLenient(dateTime, offset, zone);
// }
override
int compareTo(ChronoZonedDateTime!(ChronoLocalDate) other) {
int cmp = compare(toEpochSecond(), other.toEpochSecond());
if (cmp == 0) {
cmp = toLocalTime().getNano() - other.toLocalTime().getNano();
if (cmp == 0) {
cmp = toLocalDateTime().compareTo(other.toLocalDateTime());
if (cmp == 0) {
cmp = getZone().getId().compare(other.getZone().getId());
if (cmp == 0) {
cmp = getChronology().compareTo(other.getChronology());
}
}
}
}
return cmp;
}
override
int opCmp(ChronoZonedDateTime!(LocalDate) other) {
int cmp = compare(toEpochSecond(), other.toEpochSecond());
if (cmp == 0) {
cmp = toLocalTime().getNano() - other.toLocalTime().getNano();
if (cmp == 0) {
cmp = toLocalDateTime().compareTo(cast(ChronoLocalDateTime!(ChronoLocalDate))(other.toLocalDateTime()));
if (cmp == 0) {
cmp = getZone().getId().compare(other.getZone().getId());
if (cmp == 0) {
cmp = getChronology().compareTo(other.getChronology());
}
}
}
}
return cmp;
}
override
Chronology getChronology() {
return toLocalDate().getChronology();
}
override
Instant toInstant() {
return Instant.ofEpochSecond(toEpochSecond(), toLocalTime().getNano());
}
override
long toEpochSecond() {
long epochDay = toLocalDate().toEpochDay();
long secs = epochDay * 86400 + toLocalTime().toSecondOfDay();
secs -= getOffset().getTotalSeconds();
return secs;
}
override
bool isBefore(ChronoZonedDateTime!(ChronoLocalDate) other) {
long thisEpochSec = toEpochSecond();
long otherEpochSec = other.toEpochSecond();
return thisEpochSec < otherEpochSec ||
(thisEpochSec == otherEpochSec && toLocalTime().getNano() < other.toLocalTime().getNano());
}
override
bool isAfter(ChronoZonedDateTime!(ChronoLocalDate) other) {
long thisEpochSec = toEpochSecond();
long otherEpochSec = other.toEpochSecond();
return thisEpochSec > otherEpochSec ||
(thisEpochSec == otherEpochSec && toLocalTime().getNano() > other.toLocalTime().getNano());
}
override
bool isEqual(ChronoZonedDateTime!(ChronoLocalDate) other) {
return toEpochSecond() == other.toEpochSecond() &&
toLocalTime().getNano() == other.toLocalTime().getNano();
}
}
| D |
module arrow.c.functions;
import std.stdio;
import arrow.c.types;
version (Windows)
static immutable LIBRARY_ARROW = ["glib-13.dll"];
else version (OSX)
static immutable LIBRARY_ARROW = ["glib.13.dylib"];
else
static immutable LIBRARY_ARROW = ["libarrow-glib.so.13"];
__gshared extern(C)
{
// arrow.Array
GType garrow_array_get_type();
GArrowArray* garrow_array_cast(GArrowArray* array, GArrowDataType* targetDataType, GArrowCastOptions* options, GError** err);
long garrow_array_count(GArrowArray* array, GArrowCountOptions* options, GError** err);
GArrowStructArray* garrow_array_count_values(GArrowArray* array, GError** err);
GArrowDictionaryArray* garrow_array_dictionary_encode(GArrowArray* array, GError** err);
int garrow_array_equal(GArrowArray* array, GArrowArray* otherArray);
int garrow_array_equal_approx(GArrowArray* array, GArrowArray* otherArray);
int garrow_array_equal_range(GArrowArray* array, long startIndex, GArrowArray* otherArray, long otherStartIndex, long endIndex);
long garrow_array_get_length(GArrowArray* array);
long garrow_array_get_n_nulls(GArrowArray* array);
GArrowBuffer* garrow_array_get_null_bitmap(GArrowArray* array);
long garrow_array_get_offset(GArrowArray* array);
GArrowDataType* garrow_array_get_value_data_type(GArrowArray* array);
GArrowType garrow_array_get_value_type(GArrowArray* array);
int garrow_array_is_null(GArrowArray* array, long i);
int garrow_array_is_valid(GArrowArray* array, long i);
GArrowArray* garrow_array_slice(GArrowArray* array, long offset, long length);
char* garrow_array_to_string(GArrowArray* array, GError** err);
GArrowArray* garrow_array_unique(GArrowArray* array, GError** err);
// arrow.ArrayBuilder
GType garrow_array_builder_get_type();
GArrowArray* garrow_array_builder_finish(GArrowArrayBuilder* builder, GError** err);
GArrowDataType* garrow_array_builder_get_value_data_type(GArrowArrayBuilder* builder);
GArrowType garrow_array_builder_get_value_type(GArrowArrayBuilder* builder);
void garrow_array_builder_release_ownership(GArrowArrayBuilder* builder);
// arrow.BinaryArray
GType garrow_binary_array_get_type();
GArrowBinaryArray* garrow_binary_array_new(long length, GArrowBuffer* valueOffsets, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
GArrowBuffer* garrow_binary_array_get_buffer(GArrowBinaryArray* array);
GArrowBuffer* garrow_binary_array_get_offsets_buffer(GArrowBinaryArray* array);
GBytes* garrow_binary_array_get_value(GArrowBinaryArray* array, long i);
// arrow.BinaryArrayBuilder
GType garrow_binary_array_builder_get_type();
GArrowBinaryArrayBuilder* garrow_binary_array_builder_new();
int garrow_binary_array_builder_append(GArrowBinaryArrayBuilder* builder, ubyte* value, int length, GError** err);
int garrow_binary_array_builder_append_null(GArrowBinaryArrayBuilder* builder, GError** err);
int garrow_binary_array_builder_append_value(GArrowBinaryArrayBuilder* builder, ubyte* value, int length, GError** err);
// arrow.BinaryDataType
GType garrow_binary_data_type_get_type();
GArrowBinaryDataType* garrow_binary_data_type_new();
// arrow.BooleanArray
GType garrow_boolean_array_get_type();
GArrowBooleanArray* garrow_boolean_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
GArrowBooleanArray* garrow_boolean_array_and(GArrowBooleanArray* left, GArrowBooleanArray* right, GError** err);
int garrow_boolean_array_get_value(GArrowBooleanArray* array, long i);
int* garrow_boolean_array_get_values(GArrowBooleanArray* array, long* length);
GArrowBooleanArray* garrow_boolean_array_invert(GArrowBooleanArray* array, GError** err);
GArrowBooleanArray* garrow_boolean_array_or(GArrowBooleanArray* left, GArrowBooleanArray* right, GError** err);
GArrowBooleanArray* garrow_boolean_array_xor(GArrowBooleanArray* left, GArrowBooleanArray* right, GError** err);
// arrow.BooleanArrayBuilder
GType garrow_boolean_array_builder_get_type();
GArrowBooleanArrayBuilder* garrow_boolean_array_builder_new();
int garrow_boolean_array_builder_append(GArrowBooleanArrayBuilder* builder, int value, GError** err);
int garrow_boolean_array_builder_append_null(GArrowBooleanArrayBuilder* builder, GError** err);
int garrow_boolean_array_builder_append_nulls(GArrowBooleanArrayBuilder* builder, long n, GError** err);
int garrow_boolean_array_builder_append_value(GArrowBooleanArrayBuilder* builder, int value, GError** err);
int garrow_boolean_array_builder_append_values(GArrowBooleanArrayBuilder* builder, int* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.BooleanDataType
GType garrow_boolean_data_type_get_type();
GArrowBooleanDataType* garrow_boolean_data_type_new();
// arrow.Buffer
GType garrow_buffer_get_type();
GArrowBuffer* garrow_buffer_new(ubyte* data, long size);
GArrowBuffer* garrow_buffer_new_bytes(GBytes* data);
GArrowBuffer* garrow_buffer_copy(GArrowBuffer* buffer, long start, long size, GError** err);
int garrow_buffer_equal(GArrowBuffer* buffer, GArrowBuffer* otherBuffer);
int garrow_buffer_equal_n_bytes(GArrowBuffer* buffer, GArrowBuffer* otherBuffer, long nBytes);
long garrow_buffer_get_capacity(GArrowBuffer* buffer);
GBytes* garrow_buffer_get_data(GArrowBuffer* buffer);
GBytes* garrow_buffer_get_mutable_data(GArrowBuffer* buffer);
GArrowBuffer* garrow_buffer_get_parent(GArrowBuffer* buffer);
long garrow_buffer_get_size(GArrowBuffer* buffer);
int garrow_buffer_is_mutable(GArrowBuffer* buffer);
GArrowBuffer* garrow_buffer_slice(GArrowBuffer* buffer, long offset, long size);
// arrow.BufferInputStream
GType garrow_buffer_input_stream_get_type();
GArrowBufferInputStream* garrow_buffer_input_stream_new(GArrowBuffer* buffer);
GArrowBuffer* garrow_buffer_input_stream_get_buffer(GArrowBufferInputStream* inputStream);
// arrow.BufferOutputStream
GType garrow_buffer_output_stream_get_type();
GArrowBufferOutputStream* garrow_buffer_output_stream_new(GArrowResizableBuffer* buffer);
// arrow.CSVReadOptions
GType garrow_csv_read_options_get_type();
GArrowCSVReadOptions* garrow_csv_read_options_new();
void garrow_csv_read_options_add_column_type(GArrowCSVReadOptions* options, const(char)* name, GArrowDataType* dataType);
void garrow_csv_read_options_add_schema(GArrowCSVReadOptions* options, GArrowSchema* schema);
GHashTable* garrow_csv_read_options_get_column_types(GArrowCSVReadOptions* options);
// arrow.CSVReader
GType garrow_csv_reader_get_type();
GArrowCSVReader* garrow_csv_reader_new(GArrowInputStream* input, GArrowCSVReadOptions* options, GError** err);
GArrowTable* garrow_csv_reader_read(GArrowCSVReader* reader, GError** err);
// arrow.CastOptions
GType garrow_cast_options_get_type();
GArrowCastOptions* garrow_cast_options_new();
// arrow.ChunkedArray
GType garrow_chunked_array_get_type();
GArrowChunkedArray* garrow_chunked_array_new(GList* chunks);
int garrow_chunked_array_equal(GArrowChunkedArray* chunkedArray, GArrowChunkedArray* otherChunkedArray);
GArrowArray* garrow_chunked_array_get_chunk(GArrowChunkedArray* chunkedArray, uint i);
GList* garrow_chunked_array_get_chunks(GArrowChunkedArray* chunkedArray);
ulong garrow_chunked_array_get_length(GArrowChunkedArray* chunkedArray);
uint garrow_chunked_array_get_n_chunks(GArrowChunkedArray* chunkedArray);
ulong garrow_chunked_array_get_n_nulls(GArrowChunkedArray* chunkedArray);
GArrowDataType* garrow_chunked_array_get_value_data_type(GArrowChunkedArray* chunkedArray);
GArrowType garrow_chunked_array_get_value_type(GArrowChunkedArray* chunkedArray);
GArrowChunkedArray* garrow_chunked_array_slice(GArrowChunkedArray* chunkedArray, ulong offset, ulong length);
char* garrow_chunked_array_to_string(GArrowChunkedArray* chunkedArray, GError** err);
// arrow.Codec
GType garrow_codec_get_type();
GArrowCodec* garrow_codec_new(GArrowCompressionType type, GError** err);
const(char)* garrow_codec_get_name(GArrowCodec* codec);
// arrow.Column
GType garrow_column_get_type();
GArrowColumn* garrow_column_new_array(GArrowField* field, GArrowArray* array);
GArrowColumn* garrow_column_new_chunked_array(GArrowField* field, GArrowChunkedArray* chunkedArray);
int garrow_column_equal(GArrowColumn* column, GArrowColumn* otherColumn);
GArrowChunkedArray* garrow_column_get_data(GArrowColumn* column);
GArrowDataType* garrow_column_get_data_type(GArrowColumn* column);
GArrowField* garrow_column_get_field(GArrowColumn* column);
ulong garrow_column_get_length(GArrowColumn* column);
ulong garrow_column_get_n_nulls(GArrowColumn* column);
const(char)* garrow_column_get_name(GArrowColumn* column);
GArrowColumn* garrow_column_slice(GArrowColumn* column, ulong offset, ulong length);
char* garrow_column_to_string(GArrowColumn* column, GError** err);
// arrow.CompressedInputStream
GType garrow_compressed_input_stream_get_type();
GArrowCompressedInputStream* garrow_compressed_input_stream_new(GArrowCodec* codec, GArrowInputStream* raw, GError** err);
// arrow.CompressedOutputStream
GType garrow_compressed_output_stream_get_type();
GArrowCompressedOutputStream* garrow_compressed_output_stream_new(GArrowCodec* codec, GArrowOutputStream* raw, GError** err);
// arrow.CountOptions
GType garrow_count_options_get_type();
GArrowCountOptions* garrow_count_options_new();
// arrow.DataType
GType garrow_data_type_get_type();
int garrow_data_type_equal(GArrowDataType* dataType, GArrowDataType* otherDataType);
GArrowType garrow_data_type_get_id(GArrowDataType* dataType);
char* garrow_data_type_to_string(GArrowDataType* dataType);
// arrow.Date32Array
GType garrow_date32_array_get_type();
GArrowDate32Array* garrow_date32_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
int garrow_date32_array_get_value(GArrowDate32Array* array, long i);
int* garrow_date32_array_get_values(GArrowDate32Array* array, long* length);
// arrow.Date32ArrayBuilder
GType garrow_date32_array_builder_get_type();
GArrowDate32ArrayBuilder* garrow_date32_array_builder_new();
int garrow_date32_array_builder_append(GArrowDate32ArrayBuilder* builder, int value, GError** err);
int garrow_date32_array_builder_append_null(GArrowDate32ArrayBuilder* builder, GError** err);
int garrow_date32_array_builder_append_nulls(GArrowDate32ArrayBuilder* builder, long n, GError** err);
int garrow_date32_array_builder_append_value(GArrowDate32ArrayBuilder* builder, int value, GError** err);
int garrow_date32_array_builder_append_values(GArrowDate32ArrayBuilder* builder, int* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.Date32DataType
GType garrow_date32_data_type_get_type();
GArrowDate32DataType* garrow_date32_data_type_new();
// arrow.Date64Array
GType garrow_date64_array_get_type();
GArrowDate64Array* garrow_date64_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
long garrow_date64_array_get_value(GArrowDate64Array* array, long i);
long* garrow_date64_array_get_values(GArrowDate64Array* array, long* length);
// arrow.Date64ArrayBuilder
GType garrow_date64_array_builder_get_type();
GArrowDate64ArrayBuilder* garrow_date64_array_builder_new();
int garrow_date64_array_builder_append(GArrowDate64ArrayBuilder* builder, long value, GError** err);
int garrow_date64_array_builder_append_null(GArrowDate64ArrayBuilder* builder, GError** err);
int garrow_date64_array_builder_append_nulls(GArrowDate64ArrayBuilder* builder, long n, GError** err);
int garrow_date64_array_builder_append_value(GArrowDate64ArrayBuilder* builder, long value, GError** err);
int garrow_date64_array_builder_append_values(GArrowDate64ArrayBuilder* builder, long* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.Date64DataType
GType garrow_date64_data_type_get_type();
GArrowDate64DataType* garrow_date64_data_type_new();
// arrow.Decimal128
GType garrow_decimal128_get_type();
GArrowDecimal128* garrow_decimal128_new_integer(long data);
GArrowDecimal128* garrow_decimal128_new_string(const(char)* data);
void garrow_decimal128_abs(GArrowDecimal128* decimal);
GArrowDecimal128* garrow_decimal128_divide(GArrowDecimal128* left, GArrowDecimal128* right, GArrowDecimal128** remainder, GError** err);
int garrow_decimal128_equal(GArrowDecimal128* decimal, GArrowDecimal128* otherDecimal);
int garrow_decimal128_greater_than(GArrowDecimal128* decimal, GArrowDecimal128* otherDecimal);
int garrow_decimal128_greater_than_or_equal(GArrowDecimal128* decimal, GArrowDecimal128* otherDecimal);
int garrow_decimal128_less_than(GArrowDecimal128* decimal, GArrowDecimal128* otherDecimal);
int garrow_decimal128_less_than_or_equal(GArrowDecimal128* decimal, GArrowDecimal128* otherDecimal);
GArrowDecimal128* garrow_decimal128_minus(GArrowDecimal128* left, GArrowDecimal128* right);
GArrowDecimal128* garrow_decimal128_multiply(GArrowDecimal128* left, GArrowDecimal128* right);
void garrow_decimal128_negate(GArrowDecimal128* decimal);
int garrow_decimal128_not_equal(GArrowDecimal128* decimal, GArrowDecimal128* otherDecimal);
GArrowDecimal128* garrow_decimal128_plus(GArrowDecimal128* left, GArrowDecimal128* right);
long garrow_decimal128_to_integer(GArrowDecimal128* decimal);
char* garrow_decimal128_to_string(GArrowDecimal128* decimal);
char* garrow_decimal128_to_string_scale(GArrowDecimal128* decimal, int scale);
// arrow.Decimal128Array
GType garrow_decimal128_array_get_type();
char* garrow_decimal128_array_format_value(GArrowDecimal128Array* array, long i);
GArrowDecimal128* garrow_decimal128_array_get_value(GArrowDecimal128Array* array, long i);
// arrow.Decimal128ArrayBuilder
GType garrow_decimal128_array_builder_get_type();
GArrowDecimal128ArrayBuilder* garrow_decimal128_array_builder_new(GArrowDecimal128DataType* dataType);
int garrow_decimal128_array_builder_append(GArrowDecimal128ArrayBuilder* builder, GArrowDecimal128* value, GError** err);
int garrow_decimal128_array_builder_append_null(GArrowDecimal128ArrayBuilder* builder, GError** err);
int garrow_decimal128_array_builder_append_value(GArrowDecimal128ArrayBuilder* builder, GArrowDecimal128* value, GError** err);
// arrow.Decimal128DataType
GType garrow_decimal128_data_type_get_type();
GArrowDecimal128DataType* garrow_decimal128_data_type_new(int precision, int scale);
// arrow.DecimalDataType
GType garrow_decimal_data_type_get_type();
GArrowDecimalDataType* garrow_decimal_data_type_new(int precision, int scale);
int garrow_decimal_data_type_get_precision(GArrowDecimalDataType* decimalDataType);
int garrow_decimal_data_type_get_scale(GArrowDecimalDataType* decimalDataType);
// arrow.DenseUnionArray
GType garrow_dense_union_array_get_type();
GArrowDenseUnionArray* garrow_dense_union_array_new(GArrowInt8Array* typeIds, GArrowInt32Array* valueOffsets, GList* fields, GError** err);
// arrow.DenseUnionDataType
GType garrow_dense_union_data_type_get_type();
GArrowDenseUnionDataType* garrow_dense_union_data_type_new(GList* fields, ubyte* typeCodes, size_t nTypeCodes);
// arrow.DictionaryArray
GType garrow_dictionary_array_get_type();
GArrowDictionaryArray* garrow_dictionary_array_new(GArrowDataType* dataType, GArrowArray* indices);
GArrowArray* garrow_dictionary_array_get_dictionary(GArrowDictionaryArray* array);
GArrowDictionaryDataType* garrow_dictionary_array_get_dictionary_data_type(GArrowDictionaryArray* array);
GArrowArray* garrow_dictionary_array_get_indices(GArrowDictionaryArray* array);
// arrow.DictionaryDataType
GType garrow_dictionary_data_type_get_type();
GArrowDictionaryDataType* garrow_dictionary_data_type_new(GArrowDataType* indexDataType, GArrowArray* dictionary, int ordered);
GArrowArray* garrow_dictionary_data_type_get_dictionary(GArrowDictionaryDataType* dictionaryDataType);
GArrowDataType* garrow_dictionary_data_type_get_index_data_type(GArrowDictionaryDataType* dictionaryDataType);
int garrow_dictionary_data_type_is_ordered(GArrowDictionaryDataType* dictionaryDataType);
// arrow.DoubleArray
GType garrow_double_array_get_type();
GArrowDoubleArray* garrow_double_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
double garrow_double_array_get_value(GArrowDoubleArray* array, long i);
double* garrow_double_array_get_values(GArrowDoubleArray* array, long* length);
double garrow_double_array_sum(GArrowDoubleArray* array, GError** err);
// arrow.DoubleArrayBuilder
GType garrow_double_array_builder_get_type();
GArrowDoubleArrayBuilder* garrow_double_array_builder_new();
int garrow_double_array_builder_append(GArrowDoubleArrayBuilder* builder, double value, GError** err);
int garrow_double_array_builder_append_null(GArrowDoubleArrayBuilder* builder, GError** err);
int garrow_double_array_builder_append_nulls(GArrowDoubleArrayBuilder* builder, long n, GError** err);
int garrow_double_array_builder_append_value(GArrowDoubleArrayBuilder* builder, double value, GError** err);
int garrow_double_array_builder_append_values(GArrowDoubleArrayBuilder* builder, double* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.DoubleDataType
GType garrow_double_data_type_get_type();
GArrowDoubleDataType* garrow_double_data_type_new();
// arrow.FeatherFileReader
GType garrow_feather_file_reader_get_type();
GArrowFeatherFileReader* garrow_feather_file_reader_new(GArrowSeekableInputStream* file, GError** err);
GArrowColumn* garrow_feather_file_reader_get_column(GArrowFeatherFileReader* reader, int i, GError** err);
char* garrow_feather_file_reader_get_column_name(GArrowFeatherFileReader* reader, int i);
GList* garrow_feather_file_reader_get_columns(GArrowFeatherFileReader* reader, GError** err);
char* garrow_feather_file_reader_get_description(GArrowFeatherFileReader* reader);
long garrow_feather_file_reader_get_n_columns(GArrowFeatherFileReader* reader);
long garrow_feather_file_reader_get_n_rows(GArrowFeatherFileReader* reader);
int garrow_feather_file_reader_get_version(GArrowFeatherFileReader* reader);
int garrow_feather_file_reader_has_description(GArrowFeatherFileReader* reader);
GArrowTable* garrow_feather_file_reader_read(GArrowFeatherFileReader* reader, GError** err);
GArrowTable* garrow_feather_file_reader_read_indices(GArrowFeatherFileReader* reader, int* indices, uint nIndices, GError** err);
GArrowTable* garrow_feather_file_reader_read_names(GArrowFeatherFileReader* reader, char** names, uint nNames, GError** err);
// arrow.FeatherFileWriter
GType garrow_feather_file_writer_get_type();
GArrowFeatherFileWriter* garrow_feather_file_writer_new(GArrowOutputStream* sink, GError** err);
int garrow_feather_file_writer_append(GArrowFeatherFileWriter* writer, const(char)* name, GArrowArray* array, GError** err);
int garrow_feather_file_writer_close(GArrowFeatherFileWriter* writer, GError** err);
void garrow_feather_file_writer_set_description(GArrowFeatherFileWriter* writer, const(char)* description);
void garrow_feather_file_writer_set_n_rows(GArrowFeatherFileWriter* writer, long nRows);
int garrow_feather_file_writer_write(GArrowFeatherFileWriter* writer, GArrowTable* table, GError** err);
// arrow.Field
GType garrow_field_get_type();
GArrowField* garrow_field_new(const(char)* name, GArrowDataType* dataType);
GArrowField* garrow_field_new_full(const(char)* name, GArrowDataType* dataType, int nullable);
int garrow_field_equal(GArrowField* field, GArrowField* otherField);
GArrowDataType* garrow_field_get_data_type(GArrowField* field);
const(char)* garrow_field_get_name(GArrowField* field);
int garrow_field_is_nullable(GArrowField* field);
char* garrow_field_to_string(GArrowField* field);
// arrow.File
GType garrow_file_get_type();
int garrow_file_close(GArrowFile* file, GError** err);
GArrowFileMode garrow_file_get_mode(GArrowFile* file);
int garrow_file_is_closed(GArrowFile* file);
long garrow_file_tell(GArrowFile* file, GError** err);
// arrow.FileOutputStream
GType garrow_file_output_stream_get_type();
GArrowFileOutputStream* garrow_file_output_stream_new(const(char)* path, int append, GError** err);
// arrow.FixedSizeBinaryArray
GType garrow_fixed_size_binary_array_get_type();
// arrow.FixedSizeBinaryDataType
GType garrow_fixed_size_binary_data_type_get_type();
GArrowFixedSizeBinaryDataType* garrow_fixed_size_binary_data_type_new(int byteWidth);
int garrow_fixed_size_binary_data_type_get_byte_width(GArrowFixedSizeBinaryDataType* dataType);
// arrow.FixedWidthDataType
GType garrow_fixed_width_data_type_get_type();
int garrow_fixed_width_data_type_get_bit_width(GArrowFixedWidthDataType* dataType);
// arrow.FloatArray
GType garrow_float_array_get_type();
GArrowFloatArray* garrow_float_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
float garrow_float_array_get_value(GArrowFloatArray* array, long i);
float* garrow_float_array_get_values(GArrowFloatArray* array, long* length);
double garrow_float_array_sum(GArrowFloatArray* array, GError** err);
// arrow.FloatArrayBuilder
GType garrow_float_array_builder_get_type();
GArrowFloatArrayBuilder* garrow_float_array_builder_new();
int garrow_float_array_builder_append(GArrowFloatArrayBuilder* builder, float value, GError** err);
int garrow_float_array_builder_append_null(GArrowFloatArrayBuilder* builder, GError** err);
int garrow_float_array_builder_append_nulls(GArrowFloatArrayBuilder* builder, long n, GError** err);
int garrow_float_array_builder_append_value(GArrowFloatArrayBuilder* builder, float value, GError** err);
int garrow_float_array_builder_append_values(GArrowFloatArrayBuilder* builder, float* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.FloatDataType
GType garrow_float_data_type_get_type();
GArrowFloatDataType* garrow_float_data_type_new();
// arrow.FloatingPointDataType
GType garrow_floating_point_data_type_get_type();
// arrow.GIOInputStream
GType garrow_gio_input_stream_get_type();
GArrowGIOInputStream* garrow_gio_input_stream_new(GInputStream* gioInputStream);
GInputStream* garrow_gio_input_stream_get_raw(GArrowGIOInputStream* inputStream);
// arrow.GIOOutputStream
GType garrow_gio_output_stream_get_type();
GArrowGIOOutputStream* garrow_gio_output_stream_new(GOutputStream* gioOutputStream);
GOutputStream* garrow_gio_output_stream_get_raw(GArrowGIOOutputStream* outputStream);
// arrow.InputStream
GType garrow_input_stream_get_type();
int garrow_input_stream_advance(GArrowInputStream* inputStream, long nBytes, GError** err);
int garrow_input_stream_align(GArrowInputStream* inputStream, int alignment, GError** err);
GArrowTensor* garrow_input_stream_read_tensor(GArrowInputStream* inputStream, GError** err);
// arrow.Int16Array
GType garrow_int16_array_get_type();
GArrowInt16Array* garrow_int16_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
short garrow_int16_array_get_value(GArrowInt16Array* array, long i);
short* garrow_int16_array_get_values(GArrowInt16Array* array, long* length);
long garrow_int16_array_sum(GArrowInt16Array* array, GError** err);
// arrow.Int16ArrayBuilder
GType garrow_int16_array_builder_get_type();
GArrowInt16ArrayBuilder* garrow_int16_array_builder_new();
int garrow_int16_array_builder_append(GArrowInt16ArrayBuilder* builder, short value, GError** err);
int garrow_int16_array_builder_append_null(GArrowInt16ArrayBuilder* builder, GError** err);
int garrow_int16_array_builder_append_nulls(GArrowInt16ArrayBuilder* builder, long n, GError** err);
int garrow_int16_array_builder_append_value(GArrowInt16ArrayBuilder* builder, short value, GError** err);
int garrow_int16_array_builder_append_values(GArrowInt16ArrayBuilder* builder, short* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.Int16DataType
GType garrow_int16_data_type_get_type();
GArrowInt16DataType* garrow_int16_data_type_new();
// arrow.Int32Array
GType garrow_int32_array_get_type();
GArrowInt32Array* garrow_int32_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
int garrow_int32_array_get_value(GArrowInt32Array* array, long i);
int* garrow_int32_array_get_values(GArrowInt32Array* array, long* length);
long garrow_int32_array_sum(GArrowInt32Array* array, GError** err);
// arrow.Int32ArrayBuilder
GType garrow_int32_array_builder_get_type();
GArrowInt32ArrayBuilder* garrow_int32_array_builder_new();
int garrow_int32_array_builder_append(GArrowInt32ArrayBuilder* builder, int value, GError** err);
int garrow_int32_array_builder_append_null(GArrowInt32ArrayBuilder* builder, GError** err);
int garrow_int32_array_builder_append_nulls(GArrowInt32ArrayBuilder* builder, long n, GError** err);
int garrow_int32_array_builder_append_value(GArrowInt32ArrayBuilder* builder, int value, GError** err);
int garrow_int32_array_builder_append_values(GArrowInt32ArrayBuilder* builder, int* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.Int32DataType
GType garrow_int32_data_type_get_type();
GArrowInt32DataType* garrow_int32_data_type_new();
// arrow.Int64Array
GType garrow_int64_array_get_type();
GArrowInt64Array* garrow_int64_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
long garrow_int64_array_get_value(GArrowInt64Array* array, long i);
long* garrow_int64_array_get_values(GArrowInt64Array* array, long* length);
long garrow_int64_array_sum(GArrowInt64Array* array, GError** err);
// arrow.Int64ArrayBuilder
GType garrow_int64_array_builder_get_type();
GArrowInt64ArrayBuilder* garrow_int64_array_builder_new();
int garrow_int64_array_builder_append(GArrowInt64ArrayBuilder* builder, long value, GError** err);
int garrow_int64_array_builder_append_null(GArrowInt64ArrayBuilder* builder, GError** err);
int garrow_int64_array_builder_append_nulls(GArrowInt64ArrayBuilder* builder, long n, GError** err);
int garrow_int64_array_builder_append_value(GArrowInt64ArrayBuilder* builder, long value, GError** err);
int garrow_int64_array_builder_append_values(GArrowInt64ArrayBuilder* builder, long* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.Int64DataType
GType garrow_int64_data_type_get_type();
GArrowInt64DataType* garrow_int64_data_type_new();
// arrow.Int8Array
GType garrow_int8_array_get_type();
GArrowInt8Array* garrow_int8_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
byte garrow_int8_array_get_value(GArrowInt8Array* array, long i);
byte* garrow_int8_array_get_values(GArrowInt8Array* array, long* length);
long garrow_int8_array_sum(GArrowInt8Array* array, GError** err);
// arrow.Int8ArrayBuilder
GType garrow_int8_array_builder_get_type();
GArrowInt8ArrayBuilder* garrow_int8_array_builder_new();
int garrow_int8_array_builder_append(GArrowInt8ArrayBuilder* builder, byte value, GError** err);
int garrow_int8_array_builder_append_null(GArrowInt8ArrayBuilder* builder, GError** err);
int garrow_int8_array_builder_append_nulls(GArrowInt8ArrayBuilder* builder, long n, GError** err);
int garrow_int8_array_builder_append_value(GArrowInt8ArrayBuilder* builder, byte value, GError** err);
int garrow_int8_array_builder_append_values(GArrowInt8ArrayBuilder* builder, byte* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.Int8DataType
GType garrow_int8_data_type_get_type();
GArrowInt8DataType* garrow_int8_data_type_new();
// arrow.IntArrayBuilder
GType garrow_int_array_builder_get_type();
GArrowIntArrayBuilder* garrow_int_array_builder_new();
int garrow_int_array_builder_append(GArrowIntArrayBuilder* builder, long value, GError** err);
int garrow_int_array_builder_append_null(GArrowIntArrayBuilder* builder, GError** err);
int garrow_int_array_builder_append_nulls(GArrowIntArrayBuilder* builder, long n, GError** err);
int garrow_int_array_builder_append_value(GArrowIntArrayBuilder* builder, long value, GError** err);
int garrow_int_array_builder_append_values(GArrowIntArrayBuilder* builder, long* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.IntegerDataType
GType garrow_integer_data_type_get_type();
// arrow.ListArray
GType garrow_list_array_get_type();
GArrowListArray* garrow_list_array_new(GArrowDataType* dataType, long length, GArrowBuffer* valueOffsets, GArrowArray* values, GArrowBuffer* nullBitmap, long nNulls);
GArrowArray* garrow_list_array_get_value(GArrowListArray* array, long i);
GArrowDataType* garrow_list_array_get_value_type(GArrowListArray* array);
// arrow.ListArrayBuilder
GType garrow_list_array_builder_get_type();
GArrowListArrayBuilder* garrow_list_array_builder_new(GArrowListDataType* dataType, GError** err);
int garrow_list_array_builder_append(GArrowListArrayBuilder* builder, GError** err);
int garrow_list_array_builder_append_null(GArrowListArrayBuilder* builder, GError** err);
int garrow_list_array_builder_append_value(GArrowListArrayBuilder* builder, GError** err);
GArrowArrayBuilder* garrow_list_array_builder_get_value_builder(GArrowListArrayBuilder* builder);
// arrow.ListDataType
GType garrow_list_data_type_get_type();
GArrowListDataType* garrow_list_data_type_new(GArrowField* field);
GArrowField* garrow_list_data_type_get_field(GArrowListDataType* listDataType);
GArrowField* garrow_list_data_type_get_value_field(GArrowListDataType* listDataType);
// arrow.MemoryMappedInputStream
GType garrow_memory_mapped_input_stream_get_type();
GArrowMemoryMappedInputStream* garrow_memory_mapped_input_stream_new(const(char)* path, GError** err);
// arrow.MutableBuffer
GType garrow_mutable_buffer_get_type();
GArrowMutableBuffer* garrow_mutable_buffer_new(ubyte* data, long size);
GArrowMutableBuffer* garrow_mutable_buffer_new_bytes(GBytes* data);
int garrow_mutable_buffer_set_data(GArrowMutableBuffer* buffer, long offset, ubyte* data, long size, GError** err);
GArrowMutableBuffer* garrow_mutable_buffer_slice(GArrowMutableBuffer* buffer, long offset, long size);
// arrow.NullArray
GType garrow_null_array_get_type();
GArrowNullArray* garrow_null_array_new(long length);
// arrow.NullArrayBuilder
GType garrow_null_array_builder_get_type();
GArrowNullArrayBuilder* garrow_null_array_builder_new();
int garrow_null_array_builder_append_null(GArrowNullArrayBuilder* builder, GError** err);
int garrow_null_array_builder_append_nulls(GArrowNullArrayBuilder* builder, long n, GError** err);
// arrow.NullDataType
GType garrow_null_data_type_get_type();
GArrowNullDataType* garrow_null_data_type_new();
// arrow.NumericArray
GType garrow_numeric_array_get_type();
double garrow_numeric_array_mean(GArrowNumericArray* array, GError** err);
// arrow.NumericDataType
GType garrow_numeric_data_type_get_type();
// arrow.ORCFileReader
GType garrow_orc_file_reader_get_type();
GArrowORCFileReader* garrow_orc_file_reader_new(GArrowSeekableInputStream* file, GError** err);
int* garrow_orc_file_reader_get_field_indexes(GArrowORCFileReader* reader, uint* nFieldIndexes);
int* garrow_orc_file_reader_get_field_indices(GArrowORCFileReader* reader, uint* nFieldIndices);
long garrow_orc_file_reader_get_n_rows(GArrowORCFileReader* reader);
long garrow_orc_file_reader_get_n_stripes(GArrowORCFileReader* reader);
GArrowRecordBatch* garrow_orc_file_reader_read_stripe(GArrowORCFileReader* reader, long i, GError** err);
GArrowTable* garrow_orc_file_reader_read_stripes(GArrowORCFileReader* reader, GError** err);
GArrowSchema* garrow_orc_file_reader_read_type(GArrowORCFileReader* reader, GError** err);
void garrow_orc_file_reader_set_field_indexes(GArrowORCFileReader* reader, int* fieldIndexes, uint nFieldIndexes);
void garrow_orc_file_reader_set_field_indices(GArrowORCFileReader* reader, int* fieldIndices, uint nFieldIndices);
// arrow.OutputStream
GType garrow_output_stream_get_type();
int garrow_output_stream_align(GArrowOutputStream* stream, int alignment, GError** err);
long garrow_output_stream_write_tensor(GArrowOutputStream* stream, GArrowTensor* tensor, GError** err);
// arrow.PrimitiveArray
GType garrow_primitive_array_get_type();
GArrowBuffer* garrow_primitive_array_get_buffer(GArrowPrimitiveArray* array);
// arrow.Readable
GType garrow_readable_get_type();
GArrowBuffer* garrow_readable_read(GArrowReadable* readable, long nBytes, GError** err);
// arrow.RecordBatch
GType garrow_record_batch_get_type();
GArrowRecordBatch* garrow_record_batch_new(GArrowSchema* schema, uint nRows, GList* columns, GError** err);
GArrowRecordBatch* garrow_record_batch_add_column(GArrowRecordBatch* recordBatch, uint i, GArrowField* field, GArrowArray* column, GError** err);
int garrow_record_batch_equal(GArrowRecordBatch* recordBatch, GArrowRecordBatch* otherRecordBatch);
GArrowArray* garrow_record_batch_get_column(GArrowRecordBatch* recordBatch, int i);
const(char)* garrow_record_batch_get_column_name(GArrowRecordBatch* recordBatch, int i);
GList* garrow_record_batch_get_columns(GArrowRecordBatch* recordBatch);
uint garrow_record_batch_get_n_columns(GArrowRecordBatch* recordBatch);
long garrow_record_batch_get_n_rows(GArrowRecordBatch* recordBatch);
GArrowSchema* garrow_record_batch_get_schema(GArrowRecordBatch* recordBatch);
GArrowRecordBatch* garrow_record_batch_remove_column(GArrowRecordBatch* recordBatch, uint i, GError** err);
GArrowRecordBatch* garrow_record_batch_slice(GArrowRecordBatch* recordBatch, long offset, long length);
char* garrow_record_batch_to_string(GArrowRecordBatch* recordBatch, GError** err);
// arrow.RecordBatchBuilder
GType garrow_record_batch_builder_get_type();
GArrowRecordBatchBuilder* garrow_record_batch_builder_new(GArrowSchema* schema, GError** err);
GArrowRecordBatch* garrow_record_batch_builder_flush(GArrowRecordBatchBuilder* builder, GError** err);
GArrowArrayBuilder* garrow_record_batch_builder_get_column_builder(GArrowRecordBatchBuilder* builder, int i);
GArrowArrayBuilder* garrow_record_batch_builder_get_field(GArrowRecordBatchBuilder* builder, int i);
long garrow_record_batch_builder_get_initial_capacity(GArrowRecordBatchBuilder* builder);
int garrow_record_batch_builder_get_n_columns(GArrowRecordBatchBuilder* builder);
int garrow_record_batch_builder_get_n_fields(GArrowRecordBatchBuilder* builder);
GArrowSchema* garrow_record_batch_builder_get_schema(GArrowRecordBatchBuilder* builder);
void garrow_record_batch_builder_set_initial_capacity(GArrowRecordBatchBuilder* builder, long capacity);
// arrow.RecordBatchFileReader
GType garrow_record_batch_file_reader_get_type();
GArrowRecordBatchFileReader* garrow_record_batch_file_reader_new(GArrowSeekableInputStream* file, GError** err);
uint garrow_record_batch_file_reader_get_n_record_batches(GArrowRecordBatchFileReader* reader);
GArrowRecordBatch* garrow_record_batch_file_reader_get_record_batch(GArrowRecordBatchFileReader* reader, uint i, GError** err);
GArrowSchema* garrow_record_batch_file_reader_get_schema(GArrowRecordBatchFileReader* reader);
GArrowMetadataVersion garrow_record_batch_file_reader_get_version(GArrowRecordBatchFileReader* reader);
GArrowRecordBatch* garrow_record_batch_file_reader_read_record_batch(GArrowRecordBatchFileReader* reader, uint i, GError** err);
// arrow.RecordBatchFileWriter
GType garrow_record_batch_file_writer_get_type();
GArrowRecordBatchFileWriter* garrow_record_batch_file_writer_new(GArrowOutputStream* sink, GArrowSchema* schema, GError** err);
// arrow.RecordBatchReader
GType garrow_record_batch_reader_get_type();
GArrowRecordBatch* garrow_record_batch_reader_get_next_record_batch(GArrowRecordBatchReader* reader, GError** err);
GArrowSchema* garrow_record_batch_reader_get_schema(GArrowRecordBatchReader* reader);
GArrowRecordBatch* garrow_record_batch_reader_read_next(GArrowRecordBatchReader* reader, GError** err);
GArrowRecordBatch* garrow_record_batch_reader_read_next_record_batch(GArrowRecordBatchReader* reader, GError** err);
// arrow.RecordBatchStreamReader
GType garrow_record_batch_stream_reader_get_type();
GArrowRecordBatchStreamReader* garrow_record_batch_stream_reader_new(GArrowInputStream* stream, GError** err);
// arrow.RecordBatchStreamWriter
GType garrow_record_batch_stream_writer_get_type();
GArrowRecordBatchStreamWriter* garrow_record_batch_stream_writer_new(GArrowOutputStream* sink, GArrowSchema* schema, GError** err);
// arrow.RecordBatchWriter
GType garrow_record_batch_writer_get_type();
int garrow_record_batch_writer_close(GArrowRecordBatchWriter* writer, GError** err);
int garrow_record_batch_writer_write_record_batch(GArrowRecordBatchWriter* writer, GArrowRecordBatch* recordBatch, GError** err);
int garrow_record_batch_writer_write_table(GArrowRecordBatchWriter* writer, GArrowTable* table, GError** err);
// arrow.ResizableBuffer
GType garrow_resizable_buffer_get_type();
GArrowResizableBuffer* garrow_resizable_buffer_new(long initialSize, GError** err);
int garrow_resizable_buffer_reserve(GArrowResizableBuffer* buffer, long newCapacity, GError** err);
int garrow_resizable_buffer_resize(GArrowResizableBuffer* buffer, long newSize, GError** err);
// arrow.Schema
GType garrow_schema_get_type();
GArrowSchema* garrow_schema_new(GList* fields);
GArrowSchema* garrow_schema_add_field(GArrowSchema* schema, uint i, GArrowField* field, GError** err);
int garrow_schema_equal(GArrowSchema* schema, GArrowSchema* otherSchema);
GArrowField* garrow_schema_get_field(GArrowSchema* schema, uint i);
GArrowField* garrow_schema_get_field_by_name(GArrowSchema* schema, const(char)* name);
GList* garrow_schema_get_fields(GArrowSchema* schema);
uint garrow_schema_n_fields(GArrowSchema* schema);
GArrowSchema* garrow_schema_remove_field(GArrowSchema* schema, uint i, GError** err);
GArrowSchema* garrow_schema_replace_field(GArrowSchema* schema, uint i, GArrowField* field, GError** err);
char* garrow_schema_to_string(GArrowSchema* schema);
// arrow.SeekableInputStream
GType garrow_seekable_input_stream_get_type();
ulong garrow_seekable_input_stream_get_size(GArrowSeekableInputStream* inputStream, GError** err);
int garrow_seekable_input_stream_get_support_zero_copy(GArrowSeekableInputStream* inputStream);
GBytes* garrow_seekable_input_stream_peek(GArrowSeekableInputStream* inputStream, long nBytes);
GArrowBuffer* garrow_seekable_input_stream_read_at(GArrowSeekableInputStream* inputStream, long position, long nBytes, GError** err);
// arrow.SparseUnionArray
GType garrow_sparse_union_array_get_type();
GArrowSparseUnionArray* garrow_sparse_union_array_new(GArrowInt8Array* typeIds, GList* fields, GError** err);
// arrow.SparseUnionDataType
GType garrow_sparse_union_data_type_get_type();
GArrowSparseUnionDataType* garrow_sparse_union_data_type_new(GList* fields, ubyte* typeCodes, size_t nTypeCodes);
// arrow.StringArray
GType garrow_string_array_get_type();
GArrowStringArray* garrow_string_array_new(long length, GArrowBuffer* valueOffsets, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
char* garrow_string_array_get_string(GArrowStringArray* array, long i);
// arrow.StringArrayBuilder
GType garrow_string_array_builder_get_type();
GArrowStringArrayBuilder* garrow_string_array_builder_new();
int garrow_string_array_builder_append(GArrowStringArrayBuilder* builder, const(char)* value, GError** err);
int garrow_string_array_builder_append_value(GArrowStringArrayBuilder* builder, const(char)* value, GError** err);
int garrow_string_array_builder_append_values(GArrowStringArrayBuilder* builder, char** values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.StringDataType
GType garrow_string_data_type_get_type();
GArrowStringDataType* garrow_string_data_type_new();
// arrow.StructArray
GType garrow_struct_array_get_type();
GArrowStructArray* garrow_struct_array_new(GArrowDataType* dataType, long length, GList* fields, GArrowBuffer* nullBitmap, long nNulls);
GList* garrow_struct_array_flatten(GArrowStructArray* array, GError** err);
GArrowArray* garrow_struct_array_get_field(GArrowStructArray* array, int i);
GList* garrow_struct_array_get_fields(GArrowStructArray* array);
// arrow.StructArrayBuilder
GType garrow_struct_array_builder_get_type();
GArrowStructArrayBuilder* garrow_struct_array_builder_new(GArrowStructDataType* dataType, GError** err);
int garrow_struct_array_builder_append(GArrowStructArrayBuilder* builder, GError** err);
int garrow_struct_array_builder_append_null(GArrowStructArrayBuilder* builder, GError** err);
int garrow_struct_array_builder_append_value(GArrowStructArrayBuilder* builder, GError** err);
GArrowArrayBuilder* garrow_struct_array_builder_get_field_builder(GArrowStructArrayBuilder* builder, int i);
GList* garrow_struct_array_builder_get_field_builders(GArrowStructArrayBuilder* builder);
// arrow.StructDataType
GType garrow_struct_data_type_get_type();
GArrowStructDataType* garrow_struct_data_type_new(GList* fields);
GArrowField* garrow_struct_data_type_get_field(GArrowStructDataType* structDataType, int i);
GArrowField* garrow_struct_data_type_get_field_by_name(GArrowStructDataType* structDataType, const(char)* name);
int garrow_struct_data_type_get_field_index(GArrowStructDataType* structDataType, const(char)* name);
GList* garrow_struct_data_type_get_fields(GArrowStructDataType* structDataType);
int garrow_struct_data_type_get_n_fields(GArrowStructDataType* structDataType);
// arrow.Table
GType garrow_table_get_type();
GArrowTable* garrow_table_new(GArrowSchema* schema, GList* columns);
GArrowTable* garrow_table_new_arrays(GArrowSchema* schema, GArrowArray** arrays, size_t nArrays, GError** err);
GArrowTable* garrow_table_new_columns(GArrowSchema* schema, GArrowColumn** columns, size_t nColumns, GError** err);
GArrowTable* garrow_table_new_record_batches(GArrowSchema* schema, GArrowRecordBatch** recordBatches, size_t nRecordBatches, GError** err);
GArrowTable* garrow_table_new_values(GArrowSchema* schema, GList* values, GError** err);
GArrowTable* garrow_table_add_column(GArrowTable* table, uint i, GArrowColumn* column, GError** err);
int garrow_table_equal(GArrowTable* table, GArrowTable* otherTable);
GArrowColumn* garrow_table_get_column(GArrowTable* table, uint i);
uint garrow_table_get_n_columns(GArrowTable* table);
ulong garrow_table_get_n_rows(GArrowTable* table);
GArrowSchema* garrow_table_get_schema(GArrowTable* table);
GArrowTable* garrow_table_remove_column(GArrowTable* table, uint i, GError** err);
GArrowTable* garrow_table_replace_column(GArrowTable* table, uint i, GArrowColumn* column, GError** err);
char* garrow_table_to_string(GArrowTable* table, GError** err);
// arrow.TableBatchReader
GType garrow_table_batch_reader_get_type();
GArrowTableBatchReader* garrow_table_batch_reader_new(GArrowTable* table);
// arrow.Tensor
GType garrow_tensor_get_type();
GArrowTensor* garrow_tensor_new(GArrowDataType* dataType, GArrowBuffer* data, long* shape, size_t nDimensions, long* strides, size_t nStrides, char** dimentionNames, size_t nDimentionNames);
int garrow_tensor_equal(GArrowTensor* tensor, GArrowTensor* otherTensor);
GArrowBuffer* garrow_tensor_get_buffer(GArrowTensor* tensor);
const(char)* garrow_tensor_get_dimension_name(GArrowTensor* tensor, int i);
int garrow_tensor_get_n_dimensions(GArrowTensor* tensor);
long* garrow_tensor_get_shape(GArrowTensor* tensor, int* nDimensions);
long garrow_tensor_get_size(GArrowTensor* tensor);
long* garrow_tensor_get_strides(GArrowTensor* tensor, int* nStrides);
GArrowDataType* garrow_tensor_get_value_data_type(GArrowTensor* tensor);
GArrowType garrow_tensor_get_value_type(GArrowTensor* tensor);
int garrow_tensor_is_column_major(GArrowTensor* tensor);
int garrow_tensor_is_contiguous(GArrowTensor* tensor);
int garrow_tensor_is_mutable(GArrowTensor* tensor);
int garrow_tensor_is_row_major(GArrowTensor* tensor);
// arrow.Time32Array
GType garrow_time32_array_get_type();
GArrowTime32Array* garrow_time32_array_new(GArrowTime32DataType* dataType, long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
int garrow_time32_array_get_value(GArrowTime32Array* array, long i);
int* garrow_time32_array_get_values(GArrowTime32Array* array, long* length);
// arrow.Time32ArrayBuilder
GType garrow_time32_array_builder_get_type();
GArrowTime32ArrayBuilder* garrow_time32_array_builder_new(GArrowTime32DataType* dataType);
int garrow_time32_array_builder_append(GArrowTime32ArrayBuilder* builder, int value, GError** err);
int garrow_time32_array_builder_append_null(GArrowTime32ArrayBuilder* builder, GError** err);
int garrow_time32_array_builder_append_nulls(GArrowTime32ArrayBuilder* builder, long n, GError** err);
int garrow_time32_array_builder_append_value(GArrowTime32ArrayBuilder* builder, int value, GError** err);
int garrow_time32_array_builder_append_values(GArrowTime32ArrayBuilder* builder, int* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.Time32DataType
GType garrow_time32_data_type_get_type();
GArrowTime32DataType* garrow_time32_data_type_new(GArrowTimeUnit unit, GError** err);
// arrow.Time64Array
GType garrow_time64_array_get_type();
GArrowTime64Array* garrow_time64_array_new(GArrowTime64DataType* dataType, long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
long garrow_time64_array_get_value(GArrowTime64Array* array, long i);
long* garrow_time64_array_get_values(GArrowTime64Array* array, long* length);
// arrow.Time64ArrayBuilder
GType garrow_time64_array_builder_get_type();
GArrowTime64ArrayBuilder* garrow_time64_array_builder_new(GArrowTime64DataType* dataType);
int garrow_time64_array_builder_append(GArrowTime64ArrayBuilder* builder, long value, GError** err);
int garrow_time64_array_builder_append_null(GArrowTime64ArrayBuilder* builder, GError** err);
int garrow_time64_array_builder_append_nulls(GArrowTime64ArrayBuilder* builder, long n, GError** err);
int garrow_time64_array_builder_append_value(GArrowTime64ArrayBuilder* builder, long value, GError** err);
int garrow_time64_array_builder_append_values(GArrowTime64ArrayBuilder* builder, long* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.Time64DataType
GType garrow_time64_data_type_get_type();
GArrowTime64DataType* garrow_time64_data_type_new(GArrowTimeUnit unit, GError** err);
// arrow.TimeDataType
GType garrow_time_data_type_get_type();
GArrowTimeUnit garrow_time_data_type_get_unit(GArrowTimeDataType* timeDataType);
// arrow.TimestampArray
GType garrow_timestamp_array_get_type();
GArrowTimestampArray* garrow_timestamp_array_new(GArrowTimestampDataType* dataType, long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
long garrow_timestamp_array_get_value(GArrowTimestampArray* array, long i);
long* garrow_timestamp_array_get_values(GArrowTimestampArray* array, long* length);
// arrow.TimestampArrayBuilder
GType garrow_timestamp_array_builder_get_type();
GArrowTimestampArrayBuilder* garrow_timestamp_array_builder_new(GArrowTimestampDataType* dataType);
int garrow_timestamp_array_builder_append(GArrowTimestampArrayBuilder* builder, long value, GError** err);
int garrow_timestamp_array_builder_append_null(GArrowTimestampArrayBuilder* builder, GError** err);
int garrow_timestamp_array_builder_append_nulls(GArrowTimestampArrayBuilder* builder, long n, GError** err);
int garrow_timestamp_array_builder_append_value(GArrowTimestampArrayBuilder* builder, long value, GError** err);
int garrow_timestamp_array_builder_append_values(GArrowTimestampArrayBuilder* builder, long* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.TimestampDataType
GType garrow_timestamp_data_type_get_type();
GArrowTimestampDataType* garrow_timestamp_data_type_new(GArrowTimeUnit unit);
GArrowTimeUnit garrow_timestamp_data_type_get_unit(GArrowTimestampDataType* timestampDataType);
// arrow.UInt16Array
GType garrow_uint16_array_get_type();
GArrowUInt16Array* garrow_uint16_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
ushort garrow_uint16_array_get_value(GArrowUInt16Array* array, long i);
ushort* garrow_uint16_array_get_values(GArrowUInt16Array* array, long* length);
ulong garrow_uint16_array_sum(GArrowUInt16Array* array, GError** err);
// arrow.UInt16ArrayBuilder
GType garrow_uint16_array_builder_get_type();
GArrowUInt16ArrayBuilder* garrow_uint16_array_builder_new();
int garrow_uint16_array_builder_append(GArrowUInt16ArrayBuilder* builder, ushort value, GError** err);
int garrow_uint16_array_builder_append_null(GArrowUInt16ArrayBuilder* builder, GError** err);
int garrow_uint16_array_builder_append_nulls(GArrowUInt16ArrayBuilder* builder, long n, GError** err);
int garrow_uint16_array_builder_append_value(GArrowUInt16ArrayBuilder* builder, ushort value, GError** err);
int garrow_uint16_array_builder_append_values(GArrowUInt16ArrayBuilder* builder, ushort* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.UInt16DataType
GType garrow_uint16_data_type_get_type();
GArrowUInt16DataType* garrow_uint16_data_type_new();
// arrow.UInt32Array
GType garrow_uint32_array_get_type();
GArrowUInt32Array* garrow_uint32_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
uint garrow_uint32_array_get_value(GArrowUInt32Array* array, long i);
uint* garrow_uint32_array_get_values(GArrowUInt32Array* array, long* length);
ulong garrow_uint32_array_sum(GArrowUInt32Array* array, GError** err);
// arrow.UInt32ArrayBuilder
GType garrow_uint32_array_builder_get_type();
GArrowUInt32ArrayBuilder* garrow_uint32_array_builder_new();
int garrow_uint32_array_builder_append(GArrowUInt32ArrayBuilder* builder, uint value, GError** err);
int garrow_uint32_array_builder_append_null(GArrowUInt32ArrayBuilder* builder, GError** err);
int garrow_uint32_array_builder_append_nulls(GArrowUInt32ArrayBuilder* builder, long n, GError** err);
int garrow_uint32_array_builder_append_value(GArrowUInt32ArrayBuilder* builder, uint value, GError** err);
int garrow_uint32_array_builder_append_values(GArrowUInt32ArrayBuilder* builder, uint* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.UInt32DataType
GType garrow_uint32_data_type_get_type();
GArrowUInt32DataType* garrow_uint32_data_type_new();
// arrow.UInt64Array
GType garrow_uint64_array_get_type();
GArrowUInt64Array* garrow_uint64_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
ulong garrow_uint64_array_get_value(GArrowUInt64Array* array, long i);
ulong* garrow_uint64_array_get_values(GArrowUInt64Array* array, long* length);
ulong garrow_uint64_array_sum(GArrowUInt64Array* array, GError** err);
// arrow.UInt64ArrayBuilder
GType garrow_uint64_array_builder_get_type();
GArrowUInt64ArrayBuilder* garrow_uint64_array_builder_new();
int garrow_uint64_array_builder_append(GArrowUInt64ArrayBuilder* builder, ulong value, GError** err);
int garrow_uint64_array_builder_append_null(GArrowUInt64ArrayBuilder* builder, GError** err);
int garrow_uint64_array_builder_append_nulls(GArrowUInt64ArrayBuilder* builder, long n, GError** err);
int garrow_uint64_array_builder_append_value(GArrowUInt64ArrayBuilder* builder, ulong value, GError** err);
int garrow_uint64_array_builder_append_values(GArrowUInt64ArrayBuilder* builder, ulong* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.UInt64DataType
GType garrow_uint64_data_type_get_type();
GArrowUInt64DataType* garrow_uint64_data_type_new();
// arrow.UInt8Array
GType garrow_uint8_array_get_type();
GArrowUInt8Array* garrow_uint8_array_new(long length, GArrowBuffer* data, GArrowBuffer* nullBitmap, long nNulls);
ubyte garrow_uint8_array_get_value(GArrowUInt8Array* array, long i);
ubyte* garrow_uint8_array_get_values(GArrowUInt8Array* array, long* length);
ulong garrow_uint8_array_sum(GArrowUInt8Array* array, GError** err);
// arrow.UInt8ArrayBuilder
GType garrow_uint8_array_builder_get_type();
GArrowUInt8ArrayBuilder* garrow_uint8_array_builder_new();
int garrow_uint8_array_builder_append(GArrowUInt8ArrayBuilder* builder, ubyte value, GError** err);
int garrow_uint8_array_builder_append_null(GArrowUInt8ArrayBuilder* builder, GError** err);
int garrow_uint8_array_builder_append_nulls(GArrowUInt8ArrayBuilder* builder, long n, GError** err);
int garrow_uint8_array_builder_append_value(GArrowUInt8ArrayBuilder* builder, ubyte value, GError** err);
int garrow_uint8_array_builder_append_values(GArrowUInt8ArrayBuilder* builder, ubyte* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.UInt8DataType
GType garrow_uint8_data_type_get_type();
GArrowUInt8DataType* garrow_uint8_data_type_new();
// arrow.UIntArrayBuilder
GType garrow_uint_array_builder_get_type();
GArrowUIntArrayBuilder* garrow_uint_array_builder_new();
int garrow_uint_array_builder_append(GArrowUIntArrayBuilder* builder, ulong value, GError** err);
int garrow_uint_array_builder_append_null(GArrowUIntArrayBuilder* builder, GError** err);
int garrow_uint_array_builder_append_nulls(GArrowUIntArrayBuilder* builder, long n, GError** err);
int garrow_uint_array_builder_append_value(GArrowUIntArrayBuilder* builder, ulong value, GError** err);
int garrow_uint_array_builder_append_values(GArrowUIntArrayBuilder* builder, ulong* values, long valuesLength, int* isValids, long isValidsLength, GError** err);
// arrow.UnionArray
GType garrow_union_array_get_type();
GArrowArray* garrow_union_array_get_field(GArrowUnionArray* array, int i);
// arrow.UnionDataType
GType garrow_union_data_type_get_type();
GArrowField* garrow_union_data_type_get_field(GArrowUnionDataType* unionDataType, int i);
GList* garrow_union_data_type_get_fields(GArrowUnionDataType* unionDataType);
int garrow_union_data_type_get_n_fields(GArrowUnionDataType* unionDataType);
ubyte* garrow_union_data_type_get_type_codes(GArrowUnionDataType* unionDataType, size_t* nTypeCodes);
// arrow.Writable
GType garrow_writable_get_type();
int garrow_writable_flush(GArrowWritable* writable, GError** err);
int garrow_writable_write(GArrowWritable* writable, ubyte* data, long nBytes, GError** err);
// arrow.WritableFile
GType garrow_writable_file_get_type();
int garrow_writable_file_write_at(GArrowWritableFile* writableFile, long position, ubyte* data, long nBytes, GError** err);
} | D |
INSTANCE Monster_11060_Leitwolf_TUG (Npc_Default)
{
// ------ NSC ------
name = "Leitwolf";
guild = GIL_WOLF;
id = 11060;
voice = 6;
flags = 0;
npctype = NPCTYPE_MAIN;
level = 9;
// ------ Attribute ------
attribute [ATR_STRENGTH] = 50;
attribute [ATR_DEXTERITY] = 30;
attribute [ATR_HITPOINTS_MAX] = 100;
attribute [ATR_HITPOINTS] = 100;
attribute [ATR_MANA_MAX] = 0;
attribute [ATR_MANA] = 0;
self.aivar[AIV_Damage] = self.attribute[ATR_HITPOINTS];
//----- Protections ----
protection [PROT_BLUNT] = 45000;
protection [PROT_EDGE] = 45000;
protection [PROT_POINT] = 10000;
protection [PROT_FIRE] = 45;
protection [PROT_FLY] = 45;
protection [PROT_MAGIC] = 10;
// ------ Kampf-Taktik ------
damagetype = DAM_EDGE;
// ------ Equippte Waffen ------
fight_tactic = FAI_WOLF;
aivar[AIV_FightDistCancel] = FIGHT_DIST_CANCEL;
senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL;
senses_range = PERC_DIST_MONSTER_ACTIVE_MAX;
aivar[AIV_MM_FollowTime] = FOLLOWTIME_MEDIUM;
aivar[AIV_MM_FollowInWater] = TRUE;
aivar[AIV_MM_Packhunter] = FALSE;
Npc_SetToFistMode(self);
// ------ Inventory ------
// ------ visuals ------
Mdl_SetVisual (self,"Wolf.mds");
// Body-Mesh Body-Tex Skin-Color Head-MMS Head-Tex Teeth-Tex ARMOR
Mdl_SetVisualBody (self, "Wol_Body", DEFAULT, DEFAULT, "", DEFAULT, DEFAULT, -1);
// ------ NSC-relevante Talente vergeben ------
B_GiveNpcTalents (self);
// ------ Kampf-Talente ------
CreateInvItems (self, ItFo_Mutton, 1);
// ------ TA anmelden ------
daily_routine = Rtn_Start_11060;
};
FUNC VOID Rtn_Start_11060 ()
{
TA_Roam (08,00,22,00,"TUG_86");
TA_Roam (22,00,08,00,"TUG_86");
};
FUNC VOID Rtn_Tot_11060 ()
{
TA_Roam (08,00,22,00,"TOT");
TA_Roam (22,00,08,00,"TOT");
}; | D |
/Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageCache.o : /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/String+MD5.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Resource.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Image.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageCache.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageTransition.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Placeholder.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/RequestModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Filter.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Indicator.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Box.swift /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageCache~partial.swiftmodule : /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/String+MD5.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Resource.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Image.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageCache.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageTransition.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Placeholder.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/RequestModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Filter.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Indicator.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Box.swift /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageCache~partial.swiftdoc : /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/String+MD5.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Resource.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Image.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageCache.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageTransition.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Placeholder.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/RequestModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Filter.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Indicator.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Box.swift /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageCache~partial.swiftsourceinfo : /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/String+MD5.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Resource.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Image.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageCache.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageTransition.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Placeholder.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/RequestModifier.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Filter.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Indicator.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Box.swift /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Accelerate.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/os.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/hanykaram/Desktop/MVP/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/hanykaram/Desktop/MVP/Pods/Kingfisher/Sources/Kingfisher.h /Users/hanykaram/Desktop/MVP/DerivedData/MVP/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/hanykaram/Desktop/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
// Diese Datei wurde automatisch durch den Miranda Dialog Creator erstellt!
// Sie sollte nicht manuell editiert werden, da ─nderungen beim erneuten Aufruf
// des Creators Řberschrieben werden!
// **************************************************
instance KDW_14003_Goran_Exit (C_INFO)
{
npc = KDW_14003_Goran;
condition = KDW_14003_Goran_Exit_Condition;
information = KDW_14003_Goran_Exit_Info;
important = FALSE;
permanent = TRUE;
nr = 999;
description = DIALOG_ENDE;
};
func int KDW_14003_Goran_Exit_Condition()
{
return TRUE;
};
func void KDW_14003_Goran_Exit_Info()
{
AI_StopProcessInfos(self);
};
// **************************************************
instance KDW_14003_Goran_whoAreYou (C_INFO)
{
npc = KDW_14003_Goran;
condition = KDW_14003_Goran_whoAreYou_Condition;
information = KDW_14003_Goran_whoAreYou_Info;
important = FALSE;
permanent = FALSE;
description = "Wer bist du?";
};
func int KDW_14003_Goran_whoAreYou_Condition()
{
return TRUE;
};
func void KDW_14003_Goran_whoAreYou_Info()
{
AI_Output(other, self, "KDW_14003_Goran_whoAreYou_Info_15_01"); // Wer bist du?
AI_Output(self, other, "KDW_14003_Goran_whoAreYou_Info_03_02"); // Ich bin Goran. Schwarzer Magier und Meister der Beschw├Ârung.
AI_Output(self, other, "KDW_14003_Goran_whoAreYou_Info_03_03"); // Was kann ich f├╝r dich tun?
};
// **************************************************
instance KDW_14003_Goran_canTeachMe (C_INFO)
{
npc = KDW_14003_Goran;
condition = KDW_14003_Goran_canTeachMe_Condition;
information = KDW_14003_Goran_canTeachMe_Info;
important = FALSE;
permanent = FALSE;
description = "Kannst du mir etwas beibringen?";
};
func int KDW_14003_Goran_canTeachMe_Condition()
{
if (Npc_KnowsInfo(hero, KDW_14003_Goran_whoAreYou))
{
return TRUE;
};
};
func void KDW_14003_Goran_canTeachMe_Info()
{
AI_Output(other, self, "KDW_14003_Goran_canTeachMe_Info_15_01"); // Kannst du mir etwas beibringen?
AI_Output(self, other, "KDW_14003_Goran_canTeachMe_Info_03_02"); // Ich k├Ânnte dir zeigen, wie du dein Mana erweitern kannst.
AI_Output(self, other, "KDW_14003_Goran_canTeachMe_Info_03_03"); // Allerdings erst, wenn du im Zirkel aufgenommen wurdest!
};
| D |
// FIXME: add +proj and -proj to adjust project results
module adrdox.locate;
import arsd.postgres;
// # dpldocs: if one request, go right to it. and split camel case and ry rearranging words. File.size returned nothing
import ps = PorterStemmer;
import arsd.cgi;
import arsd.dom;
import std.stdio;
import std.file;
import std.conv : to;
import std.algorithm : sort;
import std.string : toLower, replace, split;
class ProjectSearcher {
int projectId;
PostgreSql db;
this(string path, string name, int projectAdjustment) {
db = new PostgreSql("dbname=dpldocs user=me");
//foreach(row; db.query("SELECT id FROM projects WHERE name = ?", name))
//projectId = to!int(row[0]);
projectId = 1;
this.projectName = name;
this.projectAdjustment = projectAdjustment;
}
string projectName;
int projectAdjustment = 0;
TermElement[] resultsByTerm(string term) {
TermElement[] ret;
// FIXME: project id?!?!?
foreach(row; db.query("SELECT declId, score FROM terms WHERE term = ?", term))
ret ~= TermElement(to!int(row[0]), to!int(row[1]));
return ret;
}
DeclElement getDecl(int i) {
foreach(row; db.query("SELECT * FROM decls WHERE id = ? AND project_id = ?", i, projectId)) {
return DeclElement(row["name"], row["description"], row["link"], row["id"].to!int, row["type"], row["parent"].length ? row["parent"].to!int : 0);
}
return DeclElement.init;
}
static struct TermElement {
int declId;
int score;
}
static struct DeclElement {
string name;
string description; // actually HTML
string link;
int id;
string type;
int parent;
}
static struct Magic {
int declId;
int score;
DeclElement decl;
ProjectSearcher searcher;
}
Magic[] getPossibilities(string search) {
int[int] declScores;
int[int] declHits;
ps.PorterStemmer s;
auto terms = search.split(" ");// ~ search.split(".");
// filter empty terms
for(int i = 0; i < terms.length; i++) {
if(terms[i].length == 0) {
terms[i] = terms[$-1];
terms = terms[0 .. $-1];
i--;
}
}
void addHit(TermElement item, size_t idx) {
if(idx == 0) {
declScores[item.declId] += item.score;
return;
}
if(item.declId in declScores) {
declScores[item.declId] += 25; // hit both terms
declScores[item.declId] += item.score;
} else {
// only hit one term...
declScores[item.declId] += item.score / 2;
}
}
// On each term, we want to check for exact match and fuzzy match / natural language match.
// FIXME: if something matches both it should be really strong. see time_t vs "time_t std.datetime"
foreach(idx, term; terms) {
assert(term.length > 0);
foreach(item; resultsByTerm(term)) {
addHit(item, idx);
declHits[item.declId] |= 1 << idx;
}
auto l = term.toLower;
if(l != term)
foreach(item; resultsByTerm(l)) {
addHit(item, idx);
declHits[item.declId] |= 1 << idx;
}
auto st = s.stem(term.toLower).idup;
if(st != l)
foreach(item; resultsByTerm(st)) {
addHit(item, idx);
declHits[item.declId] |= 1 << idx;
}
}
Magic[] magic;
foreach(decl, score; declScores) {
auto hits = declHits[decl];
foreach(idx, term; terms) {
if(!(hits & (1 << idx)))
score /= 2;
}
magic ~= Magic(decl, score + projectAdjustment, getDecl(decl), this);
}
if(magic.length == 0) {
foreach(term; terms) {
term = term.toLower();
foreach(row; db.query("SELECT id, term FROM terms")) {
string name = row[1];
int id = row[0].to!int;
import std.algorithm;
name = name.toLower;
auto dist = cast(int) levenshteinDistance(name, term);
if(dist <= 2)
magic ~= Magic(id, projectAdjustment + (3 - dist), getDecl(id), this);
}
}
}
// boosts based on topography
foreach(ref item; magic) {
auto decl = item.decl;
if(decl.type == "module") {
// if it is a module, give it moar points
item.score += 8;
continue;
}
if(getDecl(decl.id).type == "module") {
item.score += 5;
}
}
return magic;
}
}
__gshared ProjectSearcher[] projectSearchers;
shared static this() {
version(vps) {
version(embedded_httpd)
processPoolSize = 2;
import std.file;
foreach(dirName; dirEntries("/dpldocs/", SpanMode.shallow)) {
string filename;
filename = dirName ~ "/master/adrdox-generated/search-results.html.gz";
if(!exists(filename)) {
filename = null;
foreach(fn; dirEntries(dirName, "search-results.html.gz", SpanMode.depth)) {
filename = fn;
break;
}
}
if(filename.length) {
try {
projectSearchers ~= new ProjectSearcher(filename, dirName["/dpldocs/".length .. $], 0);
import std.stdio; writeln("Loading ", filename);
} catch(Exception e) {
import std.stdio; writeln("FAILED ", filename, "\n", e);
}
}
}
import std.stdio;
writeln("Ready");
} else {
projectSearchers ~= new ProjectSearcher("experimental-docs/search-results.html", "", 5);
//projectSearchers ~= new ProjectSearcher("experimental-docs/std.xml", "Standard Library", 5);
//projectSearchers ~= new ProjectSearcher("experimental-docs/arsd.xml", "arsd", 4);
//projectSearchers ~= new ProjectSearcher("experimental-docs/vibe.xml", "Vibe.d", 0);
//projectSearchers ~= new ProjectSearcher("experimental-docs/dmd.xml", "DMD", 0);
}
}
void searcher(Cgi cgi) {
version(vps) {
string path = cgi.requestUri;
auto q = path.indexOf("?");
if(q != -1) {
path = path[0 .. q];
}
if(path.length && path[0] == '/')
path = path[1 .. $];
if(path == "script.js") {
import std.file;
cgi.setResponseContentType("text/javascript");
cgi.write(std.file.read("/dpldocs-build/script.js"), true);
return;
}
if(path == "style.css") {
import std.file;
cgi.setResponseContentType("text/css");
cgi.write(std.file.read("/dpldocs-build/style.css"), true);
return;
}
}
auto search = cgi.request("q", cgi.request("searchTerm", cgi.queryString));
ProjectSearcher.Magic[] magic;
foreach(searcher; projectSearchers)
magic ~= searcher.getPossibilities(search);
sort!((a, b) => a.score > b.score)(magic);
// adjustments based on previously showing results
{
bool[int] alreadyPresent;
foreach(ref item; magic) {
auto decl = item.decl;
if(decl.parent in alreadyPresent)
item.score -= 8;
alreadyPresent[decl.id] = true;
}
}
auto document = new Document();
version(vps) {
import std.file;
document.parseUtf8(readText("/dpldocs-build/skeleton.html"), true, true);
document.title = "Dub Documentation Search";
} else
document.parseUtf8(import("skeleton.html"), true, true);
document.title = "Search Results";
auto form = document.requireElementById!Form("search");
form.setValue("searchTerm", search);
version(vps) {
// intentionally blank
} else {
auto l = document.requireSelector("link");
l.href = "/experimental-docs/" ~ l.href;
l = document.requireSelector("script[src]");
l.src = "/experimental-docs/" ~ l.src;
}
auto pc = document.requireSelector("#page-content");
pc.addChild("h1", "Search Results");
auto ml = pc.addChild("dl");
ml.className = "member-list";
string getFqn(ProjectSearcher searcher, ProjectSearcher.DeclElement i) {
string n;
while(true) {
if(n) n = "." ~ n;
n = i.name ~ n;
if(i.type == "module")
break;
if(i.parent == 0)
break;
i = searcher.getDecl(i.parent);
if(i.id == 0)
break;
}
return n;
}
bool[string] alreadyPresent;
int count = 0;
foreach(idx, item; magic) {
auto decl = item.decl;
if(decl.id == 0) continue; // should never happen
version(vps)
auto link = "http://"~item.searcher.projectName~".dpldocs.info/" ~ decl.link;
else
auto link = "http://dpldocs.info/experimental-docs/" ~ decl.link;
auto fqn = getFqn(item.searcher, decl);
if(fqn in alreadyPresent)
continue;
alreadyPresent[fqn] = true;
auto dt = ml.addChild("dt");
dt.addClass("search-result");
dt.addChild("span", item.searcher.projectName).addClass("project-name");
dt.addChild("br");
dt.addChild("a", fqn.replace(".", ".\u200B"), link);
dt.dataset.score = to!string(item.score);
auto html = decl.description;
//auto d = new Document(html);
//writeln(d.root.innerText.replace("\n", " "));
//writeln();
// FIXME fix relative links from here
ml.addChild("dd", Html(html));
count++;
if(count >= 20)
break;
}
cgi.write(document.toString, true);
}
mixin GenericMain!(searcher);
| D |
module CodeWriterModule;
import CommandTypeEnum;
import std.conv;
import std.stdio;
import std.algorithm;
import std.array;
import std.file;
import std.string;
import std.path;
import std.uni;
import std.ascii;
class CodeWriter
{
File asmFile;
int labelCount=0;
string fileName;
public:
this(string path,string fileName)
{
asmFile=File(chainPath(chomp(path),fileName~".asm"), "w");
}
void init()
{
asmFile.writeln("//________________________init______________");
asmFile.writeln("//init");
asmFile.writeln("//SP=256");
asmFile.writeln("@256");
asmFile.writeln("D=A");
asmFile.writeln("@SP");
asmFile.writeln("M=D");
asmFile.writeln("\n//call function Sys.init 0");
call("Sys.init",0);
}
void setFileName(string fileName)
{
this.fileName=fileName;
asmFile.writeln("//________________________"~fileName~"______________");
}
void writeFunctionCommand(CommandType commandType,string funcName,int num)
{
switch(commandType)
{
case CommandType.C_CALL:
asmFile.writeln("\n//call ",funcName~" "~to!string(num));
call(funcName,num);
break;
case CommandType.C_FUNCTION:
asmFile.writeln("\n//function ",funcName~" "~to!string(num));
declareFunction(funcName,num);
break;
case CommandType.C_RETURN:
asmFile.writeln("\n//return");
writeReturn();
break;
default:
break;
}
}
void writeFlowCommand(CommandType commandType,string label)
{
label=label~"$"~fileName;
switch(commandType)
{
case CommandType.C_GOTO:
asmFile.writeln("\n//GOTO");
writeGoto(label);
break;
case CommandType.C_IF:
asmFile.writeln("\n//IF");
writeIf(label);
break;
case CommandType.C_LABEL:
asmFile.writeln("\n//LABEL");
writeLabel(label);
break;
default:
break;
}
}
void writeArithmetic(string command)
{
switch(command)
{
case "add":
asmFile.writeln("\n//add");
add();
break;
case "sub":
asmFile.writeln("\n//sub");
sub();
break;
case "neg":
asmFile.writeln("\n//neg");
neg();
break;
case "eq":
asmFile.writeln("\n//eq");
booleanOp(toUpper(command));
break;
case "gt":
asmFile.writeln("\n//gt");
booleanOp(toUpper(command));
break;
case "lt":
asmFile.writeln("\n//lt");
booleanOp(toUpper(command));
break;
case "and":
asmFile.writeln("\n//and");
and();
break;
case "or":
asmFile.writeln("\n//or");
or();
break;
case "not":
asmFile.writeln("\n//not");
not();
break;
default:
break;
}
}
void writePushPop(CommandType commandType,string segment,int index)
{
switch(segment)
{
//Group 1 (local, argument, this, that)
case "argument":
{
if(commandType==CommandType.C_POP)
{
asmFile.writeln("\n//pop argument "~to!string(index));
popGroup1("ARG", index);
}
else
{
asmFile.writeln("\n//push argument "~to!string(index));
pushGroup1("ARG", index);
}
break;
}
case "local":
{
if(commandType==CommandType.C_POP)
{
asmFile.writeln("\n//pop local "~to!string(index));
popGroup1("LCL", index);
}
else
{
asmFile.writeln("\n//push local "~to!string(index));
pushGroup1("LCL", index);
}
break;
}
case "this":
{
if(commandType==CommandType.C_POP)
{
asmFile.writeln("\n//pop this "~to!string(index));
popGroup1("THIS", index);
}
else
{
asmFile.writeln("\n//push this "~to!string(index));
pushGroup1("THIS", index);
}
break;
}
case "that":
{
if(commandType==CommandType.C_POP)
{
asmFile.writeln("\n//pop that "~to!string(index));
popGroup1("THAT", index);
}
else
{
asmFile.writeln("\n//push that "~to!string(index));
pushGroup1("THAT", index);
}
break;
}
//Group 2 (temp)
case "temp":
{
if(commandType==CommandType.C_POP)
{
asmFile.writeln("\n//pop temp "~to!string(index));
popTemp(index);
}
else
{
asmFile.writeln("\n//push temp "~to!string(index));
pushTemp(index);
}
break;
}
//Group 3 (static)
case "static":
{
if(commandType==CommandType.C_POP)
{
asmFile.writeln("\n//pop static "~to!string(index));
popStatic( index);
}
else
{
asmFile.writeln("\n//push static "~to!string(index));
pushStatic( index);
}
break;
}
//Group 4 (pointer 0, pointer 1)
case "pointer":
{
if(commandType==CommandType.C_POP)
{
asmFile.writeln("\n//pop pointer "~to!string(index));
popPointer( index);
}
else
{
asmFile.writeln("\n//push pointer "~to!string(index));
pushPointer( index);
}
break;
}
//Group 5 (constant)
case "constant":
{
asmFile.writeln("\n//push constant "~to!string(index));
pushConstent(index);
break;
}
default:
break;
}
}
void close()
{
asmFile.close();
}
private:
//_________________________________________________
void incSP()
{
asmFile.writeln("@SP");
asmFile.writeln("M=M+1");
}
void decSP()
{
asmFile.writeln("@SP");
asmFile.writeln("M=M-1");
}
void binaryOp()
{
decSP();
asmFile.writeln("A=M");//A=RAM[SP] - addr of the top of the stock
asmFile.writeln("D=M");//D=RAM[RAM[SP]] -the value at the top of the stock -first arg
decSP();
asmFile.writeln("A=M");
}
void unaryOp()
{
decSP();
asmFile.writeln("A=M");
}
void add()
{
binaryOp();
asmFile.writeln("M=D+M");
incSP();
}
void sub()
{
binaryOp();
asmFile.writeln("M=M-D");
incSP();
}
void and()
{
binaryOp();
asmFile.writeln("M=M&D");
incSP();
}
void or()
{
binaryOp();
asmFile.writeln("M=D|M");
incSP();
}
void not()
{
unaryOp();
asmFile.writeln("M=!M");
incSP();
}
void neg()
{
unaryOp();
asmFile.writeln("M=-M");
incSP();
}
void booleanOp(string op)
{
int label=labelCount++;
binaryOp();
asmFile.writeln("D=M-D");
asmFile.writeln("@IfTrue_"~to!string(label));
asmFile.writeln("D;J"~op);
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("M=0");
asmFile.writeln("@END_"~to!string(label));
asmFile.writeln("0;JMP");
asmFile.writeln("(IfTrue_"~to!string(label)~")");
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("M=-1");
asmFile.writeln("(END_"~to!string(label)~")");
incSP();
}
//____________________________________________________________________________________________________________________________________________________________________________________________________________________________
void popGroup1(string regSagment ,int index)
{
asmFile.writeln("@"~to!string(index));// A=index
asmFile.writeln("D=A");// D=index
asmFile.writeln("@"~regSagment);
asmFile.writeln("A=M");//A =RAM[Sagment]
asmFile.writeln("D=A+D");//D =RAM[Sagment] + index
asmFile.writeln("@R15");
asmFile.writeln("M=D");//R15 =RAM[Sagment] + index
decSP();
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("D=M");//D=RAM[SP]
asmFile.writeln("@R15");
asmFile.writeln("A=M");//A =RAM[Sagment] + index
asmFile.writeln("M=D");//RAM[RAM[Sagment] + index]=RAM[SP]
asmFile.writeln("@R15");
asmFile.writeln("M=0");
}
void pushGroup1(string regSagment ,int index)
{
asmFile.writeln("@"~to!string(index));// A=index
asmFile.writeln("D=A");// D=index
asmFile.writeln("@"~regSagment);
asmFile.writeln("A=M");//A =RAM[Sagment]
asmFile.writeln("A=A+D");//A =RAM[Sagment] + index
asmFile.writeln("D=M");// D=RAM[RAM[Sagment] + index]
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("M=D");// RAM[SP]=RAM[RAM[Sagment] + index]
incSP();
}
void popTemp(int index)
{
asmFile.writeln("@"~to!string(index));// A=index
asmFile.writeln("D=A");// D=index
asmFile.writeln("@5");
asmFile.writeln("D=A+D");//D =5 + index
asmFile.writeln("@R15");
asmFile.writeln("M=D");//R15 =5 + index
decSP();
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("D=M");//D=RAM[SP]
asmFile.writeln("@R15");
asmFile.writeln("A=M");//A =5 + index
asmFile.writeln("M=D");//RAM[5 + index]=RAM[SP]
asmFile.writeln("@R15");
asmFile.writeln("M=0");
}
void pushTemp(int index)
{
asmFile.writeln("@"~to!string(index));// A=index
asmFile.writeln("D=A");// D=index
asmFile.writeln("@5");
asmFile.writeln("A=A+D");//A =5 + index
asmFile.writeln("D=M");// D=RAM[5 + index]
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("M=D");// RAM[SP]=RAM[5 + index]
incSP();
}
void pushConstent(int value)
{
asmFile.writeln("@"~to!string(value));
asmFile.writeln("D=A");// D=value
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("M=D");// RAM[SP]=value
incSP();
}
//<<<<<<< HEAD:Targil1/Targil1/Targil1/CodeWriterModule.d
// void label(string label)
// {
// asmFile.writleln("(",label,")");
// }
//
//
// void IF(string label)
// {
// decRegister("SP",1);
// asmFile.writeln("A=M");
// asmFile.writeln("D=M");
// asmFile.writeln("@",label);
// asmFile.writleln("D;JNE");
// }
//=======
//>>>>>>> Targil2:Targil1/Targil1_2/Targil1/CodeWriterModule.d
void popPointer(int index)
{
decSP();
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("D=M");
if(index==0)
asmFile.writeln("@THIS");
else
asmFile.writeln("@THAT");
asmFile.writeln("M=D");
}
void pushPointer(int index)
{
if(index==0)
push("THIS");
else
push("THAT");
}
void pushStatic(int index)
{
// push static index from 'fileName.vm' in asm:
asmFile.writeln("@"~fileName~"."~to!string(index));
asmFile.writeln("D=M");
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("M=D");
incSP();
}
void popStatic(int index)
{
// pop static 0 from 'ClassA.vm' in asm:
decSP();
asmFile.writeln("A=M");
asmFile.writeln("D=M");
asmFile.writeln("@"~fileName~"."~to!string(index));
asmFile.writeln("M=D");
}
void writeGoto(string label)
{
asmFile.writeln("@"~label);
asmFile.writeln("0;JMP");
}
void writeLabel(string label)
{
asmFile.writeln("("~label~")");
}
void writeIf(string label)
{
decSP();
asmFile.writeln("A=M");
asmFile.writeln("D=M");
asmFile.writeln("@",label);
asmFile.writeln("D;JNE");
}
void push(string addr)
{
asmFile.writeln("@"~addr);//A =addr
asmFile.writeln("D=M");// D=RAM[addr]
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("M=D");// RAM[SP]=RAM[addr]
incSP();
}
void call(string funcName,int argNumber)
{
asmFile.writeln("\n","//push return addr");
string returnLabel ="return_"~funcName~to!string(labelCount++);
asmFile.writeln("@"~returnLabel);
asmFile.writeln("D=A");// D=value
asmFile.writeln("@SP");
asmFile.writeln("A=M");
asmFile.writeln("M=D");// RAM[SP]=value
incSP();
asmFile.writeln("\n","//push LCL");
push("LCL");
asmFile.writeln("\n","//push ARG");
push("ARG");
asmFile.writeln("\n","//push THIS");
push("THIS");
asmFile.writeln("\n","//push THAT");
push("THAT");
asmFile.writeln("\n","//ARG=SP-5-n");
argAssiment(argNumber);//ARG=SP-5-n
asmFile.writeln("\n","//LCL=SP");
asmFile.writeln("@SP");//A =SP
asmFile.writeln("D=M");// D=SP
asmFile.writeln("@LCL");//A =LCL
asmFile.writeln("M=D");// RAM[LCL]=SP
asmFile.writeln("\n","//goto ",funcName);
writeGoto(funcName);
writeLabel(returnLabel);
}
void argAssiment(int argNumber)
{
asmFile.writeln("@5");//A =5
asmFile.writeln("D=A");// D=5
asmFile.writeln("@"~to!string(argNumber));//A =n
asmFile.writeln("D=A+D");// D=5+n
asmFile.writeln("@SP");//A =SP
asmFile.writeln("D=M-D");// D=SP-(5+n)
asmFile.writeln("@ARG");//A =ARG
asmFile.writeln("M=D");// RAM[ARG]=D
}
void declareFunction(string funcName,int localNumber)
{
writeLabel(funcName);
for(int i=0 ;i< localNumber;++i)
pushConstent(0);
}
void writeReturn()
{
//string temp="temp"~to!string(labelCount++);
//string ret ="ret"~to!string(labelCount++);
string temp="R13";
string ret ="R14";
asmFile.writeln("\n","//FRAME=LCL");
asmFile.writeln("@LCL");//A =LCL
asmFile.writeln("D=M");// D=RAM[LCL]
asmFile.writeln("@"~temp);//A =frame
asmFile.writeln("M=D");// RAM[frame]=RAM[LCL]
asmFile.writeln("\n","//RET=*(FRAME-5)");
restoreSagment(ret,5,temp);//RET=*(frame-5)
asmFile.writeln("\n","//*ARG=pop ARG 0");
popGroup1("ARG",0);
asmFile.writeln("\n","//SP=ARG+1");
asmFile.writeln("@ARG");//A =ARG
asmFile.writeln("D=M+1");// D=RAM[ARG]+1
asmFile.writeln("@SP");//A =SP
asmFile.writeln("M=D");// RAM[SP]=RAM[ARG]+1
asmFile.writeln("\n","//THAT=*(FRAME-1)");
restoreSagment("THAT",1,temp);//THAT=*(frame-1)
asmFile.writeln("\n","//ARG=*(FRAME-2)");
restoreSagment("THIS",2,temp);//THIS=*(frame-2)
asmFile.writeln("\n","//ARG=*(FRAME-3)");
restoreSagment("ARG",3,temp);//ARG=*(frame-3)
asmFile.writeln("\n","//LCL=*(FRAME-4)");
restoreSagment("LCL",4,temp);//LCL=*(frame-4)
asmFile.writeln("\n","//goto RET");
asmFile.writeln("@"~ret);
asmFile.writeln("A=M");
asmFile.writeln("0;JMP");
}
void restoreSagment(string sagment,int index,string temp)
{
asmFile.writeln("@"~temp);//A =frame
asmFile.writeln("D=M");// D=RAM[frame]
asmFile.writeln("@"~to!string(index));//A =index
asmFile.writeln("A=D-A");// A=RAM[frame]-index
asmFile.writeln("D=M");// D=RAM[RAM[frame]-index]
asmFile.writeln("@"~sagment);//A =sagment
asmFile.writeln("M=D");// RAM[sagment]=RAM[RAM[frame]-index]
}
} | D |
/****************************************************************************
**
** Copyright (C) 2014 Digia Plc and/or its subsidiary(-ies).
** Contact: http://www.qt-project.org/legal
**
** This file is part of the Qt Toolkit.
**
** $QT_BEGIN_LICENSE:LGPL21$
** Commercial License Usage
** Licensees holding valid commercial Qt licenses may use this file in
** accordance with the commercial license agreement provided with the
** Software or, alternatively, in accordance with the terms contained in
** a written agreement between you and Digia. For licensing terms and
** conditions see http://qt.digia.com/licensing. For further information
** use the contact form at http://qt.digia.com/contact-us.
**
** GNU Lesser General Public License Usage
** Alternatively, this file may be used under the terms of the GNU Lesser
** General Public License version 2.1 or version 3 as published by the Free
** Software Foundation and appearing in the file LICENSE.LGPLv21 and
** LICENSE.LGPLv3 included in the packaging of this file. Please review the
** following information to ensure the GNU Lesser General Public License
** requirements will be met: https://www.gnu.org/licenses/lgpl.html and
** http://www.gnu.org/licenses/old-licenses/lgpl-2.1.html.
**
** In addition, as a special exception, Digia gives you certain additional
** rights. These rights are described in the Digia Qt LGPL Exception
** version 1.1, included in the file LGPL_EXCEPTION.txt in this package.
**
** $QT_END_LICENSE$
**
****************************************************************************/
#ifndef QAUDIO_H
#define QAUDIO_H
public import qt.QtMultimedia.qtmultimediadefs;
public import qt.QtMultimedia.qmultimedia;
public import qt.QtCore.qmetatype;
QT_BEGIN_NAMESPACE
//QTM_SYNC_HEADER_EXPORT QAudio
// Class forward declaration required for QDoc bug
class QString;
namespace QAudio
{
enum Error { NoError, OpenError, IOError, UnderrunError, FatalError };
enum State { ActiveState, SuspendedState, StoppedState, IdleState };
enum Mode { AudioInput, AudioOutput };
}
#ifndef QT_NO_DEBUG_STREAM
Q_MULTIMEDIA_EXPORT QDebug operator<<(QDebug dbg, QAudio::Error error);
Q_MULTIMEDIA_EXPORT QDebug operator<<(QDebug dbg, QAudio::State state);
Q_MULTIMEDIA_EXPORT QDebug operator<<(QDebug dbg, QAudio::Mode mode);
#endif
QT_END_NAMESPACE
Q_DECLARE_METATYPE(QAudio::Error)
Q_DECLARE_METATYPE(QAudio::State)
Q_DECLARE_METATYPE(QAudio::Mode)
#endif // QAUDIO_H
| D |
/* REQUIRED_ARGS:
* PERMUTE_ARGS:
* TEST_OUTPUT:
---
fail_compilation/fix19059.d(17): Error: octal digit expected, not `8`
fail_compilation/fix19059.d(17): Error: octal literals larger than 7 are no longer supported
fail_compilation/fix19059.d(18): Error: octal digit expected, not `9`
fail_compilation/fix19059.d(18): Error: octal literals larger than 7 are no longer supported
fail_compilation/fix19059.d(19): Error: octal literals `010` are no longer supported, use `std.conv.octal!10` instead
---
*/
// https://issues.dlang.org/show_bug.cgi?id=19059
void foo()
{
auto a = 08;
auto b = 09;
auto c = 010;
}
| D |
module dwinbar.backend.icongen;
import imageformats;
IFImage scaleImage(IFImage source, int targetWidth, int targetHeight)
{
if (targetWidth == source.w && targetHeight == source.h || source.c != ColFmt.RGBA)
return source;
ubyte[] image = new ubyte[targetWidth * targetHeight * 4];
float scaleX = source.w / cast(float) targetWidth;
float scaleY = source.h / cast(float) targetHeight;
if (targetWidth < source.w && targetHeight < source.h)
{
float remX = scaleX % 1;
float remY = scaleY % 1;
int scaleXi = cast(int) scaleX;
int scaleYi = cast(int) scaleY;
float overflowX = 0;
float overflowY = 0;
for (int y = 0; y < targetHeight; y++)
{
overflowY += remY;
int countY = scaleYi;
if (overflowY >= 1)
{
countY++;
overflowY--;
}
overflowX = 0;
for (int x = 0; x < targetWidth; x++)
{
overflowX += remX;
int countX = scaleXi;
if (overflowX >= 1)
{
countX++;
overflowX--;
}
uint[4] sum;
for (int oy = 0; oy < countY; oy++)
{
for (int ox = 0; ox < countX; ox++)
{
auto px = source.get(source.w, source.h, cast(int)(x * scaleX + ox),
cast(int)(y * scaleY + oy));
sum[0] += px[0];
sum[1] += px[1];
sum[2] += px[2];
sum[3] += px[3];
}
}
immutable sumCount = countX * countY;
ubyte alpha = (sum[3] / sumCount) & 0xFF;
sum[0] = ((sum[0] / sumCount) & 0xFF) * alpha / 256;
sum[1] = ((sum[1] / sumCount) & 0xFF) * alpha / 256;
sum[2] = ((sum[2] / sumCount) & 0xFF) * alpha / 256;
image[(x + y * targetWidth) * 4 .. (x + y * targetWidth) * 4 + 4] = [sum[0] & 0xFF,
sum[1] & 0xFF, sum[2] & 0xFF, sum[3] & 0xFF];
}
}
}
else
{
for (int y = 0; y < targetHeight; y++)
{
for (int x = 0; x < targetWidth; x++)
{
image[(x + y * targetWidth) * 4 .. (x + y * targetWidth) * 4 + 4] = interpolate2D(x * scaleX,
y * scaleY, source, source.w, source.h);
}
}
}
IFImage ret;
ret.c = ColFmt.RGBA;
ret.w = targetWidth;
ret.h = targetHeight;
ret.pixels = image;
return ret;
}
ulong[] scaleImage(int targetWidth, int targetHeight, in ulong[] source,
int sourceWidth, int sourceHeight)
{
if (targetWidth == sourceWidth && targetHeight == sourceHeight)
return source.dup;
ulong[] image = new ulong[targetWidth * targetHeight];
float scaleX = sourceWidth / cast(float) targetWidth;
float scaleY = sourceHeight / cast(float) targetHeight;
if (targetWidth < sourceWidth && targetHeight < sourceHeight)
{
float remX = scaleX % 1;
float remY = scaleY % 1;
int scaleXi = cast(int) scaleX;
int scaleYi = cast(int) scaleY;
float overflowX = 0;
float overflowY = 0;
for (int y = 0; y < targetHeight; y++)
{
overflowY += remY;
int countY = scaleYi;
if (overflowY >= 1)
{
countY++;
overflowY--;
}
overflowX = 0;
for (int x = 0; x < targetWidth; x++)
{
overflowX += remX;
int countX = scaleXi;
if (overflowX >= 1)
{
countX++;
overflowX--;
}
uint[4] sum;
for (int oy = 0; oy < countY; oy++)
{
for (int ox = 0; ox < countX; ox++)
{
ulong px = source.get(sourceWidth, sourceHeight,
cast(int)(x * scaleX + ox), cast(int)(y * scaleY + oy));
sum[0] += px & 0xFF;
sum[1] += (px >> 8) & 0xFF;
sum[2] += (px >> 16) & 0xFF;
sum[3] += (px >> 24) & 0xFF;
}
}
immutable sumCount = countX * countY;
ubyte alpha = (sum[3] / sumCount) & 0xFF;
sum[0] = ((sum[0] / sumCount) & 0xFF) * alpha / 256;
sum[1] = ((sum[1] / sumCount) & 0xFF) * alpha / 256;
sum[2] = ((sum[2] / sumCount) & 0xFF) * alpha / 256;
ulong result = sum[0] | (sum[1] << 8) | (sum[2] << 16) | (alpha << 24);
image[x + y * targetWidth] = result;
}
}
}
else
{
for (int y = 0; y < targetHeight; y++)
{
for (int x = 0; x < targetWidth; x++)
{
image[x + y * targetWidth] = interpolate2D(x * scaleX, y * scaleY,
source, sourceWidth, sourceHeight);
}
}
}
return image;
}
ulong interpolate2D(float targetX, float targetY, in ulong[] source,
int sourceWidth, int sourceHeight)
{
import std.math;
ulong TL = source.get(sourceWidth, sourceHeight, cast(int) targetX, cast(int) targetY);
ulong TR = source.get(sourceWidth, sourceHeight, cast(int) targetX + 1, cast(int) targetY);
ulong BL = source.get(sourceWidth, sourceHeight, cast(int) targetX, cast(int) targetY + 1);
float xd = targetX - cast(int) targetX;
float yd = targetY - cast(int) targetY;
return lerp(interpolate(TL, TR, xd), interpolate(TL, BL, yd), 0.5);
}
ulong get(in ulong[] source, int sourceWidth, int sourceHeight, int x, int y)
{
if (x >= sourceWidth)
x = sourceWidth - 1;
if (y >= sourceHeight)
y = sourceHeight - 1;
if (x < 0)
x = 0;
if (y < 0)
y = 0;
return source[x + y * sourceWidth];
}
ulong interpolate(ulong a, ulong b, float amount)
{
return lerp(a, b, amount);
}
ulong lerp(ulong a, ulong b, float amount)
{
float iAmount = 1 - amount;
ubyte aa = (a >> 24) & 0xFF;
ubyte ba = (b >> 24) & 0xFF;
ubyte c1 = cast(ubyte)((((a >> 0) & 0xFF) * aa / 256) * iAmount + (
((b >> 0) & 0xFF) * ba / 256) * amount);
ubyte c2 = cast(ubyte)((((a >> 8) & 0xFF) * aa / 256) * iAmount + (
((b >> 8) & 0xFF) * ba / 256) * amount);
ubyte c3 = cast(ubyte)((((a >> 16) & 0xFF) * aa / 256) * iAmount + (
((b >> 16) & 0xFF) * ba / 256) * amount);
ubyte c4 = cast(ubyte)(aa * iAmount + ba * amount);
return (c1 << 0) | (c2 << 8) | (c3 << 16) | (c4 << 24);
}
ubyte[4] interpolate2D(float targetX, float targetY, in IFImage source,
int sourceWidth, int sourceHeight)
{
import std.math;
auto TL = source.get(sourceWidth, sourceHeight, cast(int) targetX, cast(int) targetY);
auto TR = source.get(sourceWidth, sourceHeight, cast(int) targetX + 1, cast(int) targetY);
auto BL = source.get(sourceWidth, sourceHeight, cast(int) targetX, cast(int) targetY + 1);
float xd = targetX - cast(int) targetX;
float yd = targetY - cast(int) targetY;
return lerp(interpolate(TL, TR, xd), interpolate(TL, BL, yd), 0.5);
}
ubyte[4] get(in IFImage source, int sourceWidth, int sourceHeight, int x, int y)
{
if (x >= sourceWidth)
x = sourceWidth - 1;
if (y >= sourceHeight)
y = sourceHeight - 1;
if (x < 0)
x = 0;
if (y < 0)
y = 0;
return source.pixels[(x + y * sourceWidth) * 4 .. (x + y * sourceWidth) * 4 + 4][0 .. 4];
}
ubyte[4] interpolate(ubyte[4] a, ubyte[4] b, float amount)
{
return lerp(a, b, amount);
}
ubyte[4] lerp(ubyte[4] a, ubyte[4] b, float amount)
{
float iAmount = 1 - amount;
ubyte aa = a[3];
ubyte ba = b[3];
ubyte c1 = cast(ubyte)((a[0] * aa / 256) * iAmount + (b[0] * ba / 256) * amount);
ubyte c2 = cast(ubyte)((a[1] * aa / 256) * iAmount + (b[1] * ba / 256) * amount);
ubyte c3 = cast(ubyte)((a[2] * aa / 256) * iAmount + (b[2] * ba / 256) * amount);
ubyte c4 = cast(ubyte)(aa * iAmount + ba * amount);
return [c1, c2, c3, c4];
}
| D |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.