code
stringlengths 3
10M
| language
stringclasses 31
values |
|---|---|
/**
Low level mongodb protocol.
Copyright: © 2012-2014 RejectedSoftware e.K.
License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file.
Authors: Sönke Ludwig
*/
module vibe.db.mongo.connection;
public import vibe.data.bson;
import vibe.core.log;
import vibe.core.net;
import vibe.inet.webform;
import vibe.stream.ssl;
import std.algorithm : map, splitter;
import std.array;
import std.conv;
import std.exception;
import std.string;
import std.digest.md;
private struct _MongoErrorDescription
{
string message;
int code;
int connectionId;
int n;
double ok;
}
/**
* D POD representation of Mongo error object.
*
* For successful queries "code" is negative.
* Can be used also to check how many documents where updated upon
* a successful query via "n" field.
*/
alias immutable(_MongoErrorDescription) MongoErrorDescription;
/**
* Root class for vibe.d Mongo driver exception hierarchy.
*/
class MongoException : Exception
{
this(string message, string file = __FILE__, int line = __LINE__, Throwable next = null)
{
super(message, file, line, next);
}
}
/**
* Generic class for all exception related to unhandled driver problems.
*
* I.e.: protocol mismatch or unexpected mongo service behavior.
*/
class MongoDriverException : MongoException
{
this(string message, string file = __FILE__, int line = __LINE__, Throwable next = null)
{
super(message, file, line, next);
}
}
/**
* Wrapper class for all inner mongo collection manipulation errors.
*
* It does not indicate problem with vibe.d driver itself. Most frequently this
* one is thrown when MongoConnection is in checked mode and getLastError() has something interesting.
*/
class MongoDBException : MongoException
{
MongoErrorDescription description;
alias description this;
this(MongoErrorDescription description, string file = __FILE__,
int line = __LINE__, Throwable next = null)
{
super(description.message, file, line, next);
this.description = description;
}
}
/**
* Generic class for all exceptions related to authentication problems.
*
* I.e.: unsupported mechanisms or wrong credentials.
*/
class MongoAuthException : MongoException
{
this(string message, string file = __FILE__, int line = __LINE__, Throwable next = null)
{
super(message, file, line, next);
}
}
/**
[internal] Provides low-level mongodb protocol access.
It is not intended for direct usage. Please use vibe.db.mongo.db and vibe.db.mongo.collection modules for your code.
Note that a MongoConnection may only be used from one fiber/thread at a time.
*/
class MongoConnection {
private {
MongoClientSettings m_settings;
TCPConnection m_conn;
Stream m_stream;
ulong m_bytesRead;
int m_msgid = 1;
}
enum defaultPort = 27017;
/// Simplified constructor overload, with no m_settings
this(string server, ushort port = defaultPort)
{
m_settings = new MongoClientSettings();
m_settings.hosts ~= MongoHost(server, port);
}
this(MongoClientSettings cfg)
{
m_settings = cfg;
// Now let's check for features that are not yet supported.
if(m_settings.hosts.length > 1)
logWarn("Multiple mongodb hosts are not yet supported. Using first one: %s:%s",
m_settings.hosts[0].name, m_settings.hosts[0].port);
}
void connect()
{
/*
* TODO: Connect to one of the specified hosts taking into consideration
* options such as connect timeouts and so on.
*/
try {
m_conn = connectTCP(m_settings.hosts[0].name, m_settings.hosts[0].port);
if (m_settings.ssl) {
auto ctx = createSSLContext(SSLContextKind.client);
if (!m_settings.sslverifycertificate) {
ctx.peerValidationMode = SSLPeerValidationMode.none;
}
m_stream = createSSLStream(m_conn, ctx);
}
else {
m_stream = m_conn;
}
}
catch (Exception e) {
throw new MongoDriverException(format("Failed to connect to MongoDB server at %s:%s.", m_settings.hosts[0].name, m_settings.hosts[0].port), __FILE__, __LINE__, e);
}
m_bytesRead = 0;
if(m_settings.digest != string.init)
{
authenticate();
}
}
void disconnect()
{
if (m_stream) {
m_stream.finalize();
m_stream = null;
}
if (m_conn) {
m_conn.close();
m_conn = null;
}
}
@property bool connected() const { return m_conn && m_conn.connected; }
void update(string collection_name, UpdateFlags flags, Bson selector, Bson update)
{
scope(failure) disconnect();
send(OpCode.Update, -1, cast(int)0, collection_name, cast(int)flags, selector, update);
if (m_settings.safe) checkForError(collection_name);
}
void insert(string collection_name, InsertFlags flags, Bson[] documents)
{
scope(failure) disconnect();
foreach (d; documents) if (d["_id"].isNull()) d["_id"] = Bson(BsonObjectID.generate());
send(OpCode.Insert, -1, cast(int)flags, collection_name, documents);
if (m_settings.safe) checkForError(collection_name);
}
void query(T)(string collection_name, QueryFlags flags, int nskip, int nret, Bson query, Bson returnFieldSelector, scope ReplyDelegate on_msg, scope DocDelegate!T on_doc)
{
scope(failure) disconnect();
flags |= m_settings.defQueryFlags;
int id;
if (returnFieldSelector.isNull)
id = send(OpCode.Query, -1, cast(int)flags, collection_name, nskip, nret, query);
else
id = send(OpCode.Query, -1, cast(int)flags, collection_name, nskip, nret, query, returnFieldSelector);
recvReply!T(id, on_msg, on_doc);
}
void getMore(T)(string collection_name, int nret, long cursor_id, scope ReplyDelegate on_msg, scope DocDelegate!T on_doc)
{
scope(failure) disconnect();
auto id = send(OpCode.GetMore, -1, cast(int)0, collection_name, nret, cursor_id);
recvReply!T(id, on_msg, on_doc);
}
void delete_(string collection_name, DeleteFlags flags, Bson selector)
{
scope(failure) disconnect();
send(OpCode.Delete, -1, cast(int)0, collection_name, cast(int)flags, selector);
if (m_settings.safe) checkForError(collection_name);
}
void killCursors(long[] cursors)
{
scope(failure) disconnect();
send(OpCode.KillCursors, -1, cast(int)0, cast(int)cursors.length, cursors);
}
MongoErrorDescription getLastError(string db)
{
// Though higher level abstraction level by concept, this function
// is implemented here to allow to check errors upon every request
// on conncetion level.
Bson[string] command_and_options = [ "getLastError": Bson(1.0) ];
if(m_settings.w != m_settings.w.init)
command_and_options["w"] = m_settings.w; // Already a Bson struct
if(m_settings.wTimeoutMS != m_settings.wTimeoutMS.init)
command_and_options["wtimeout"] = Bson(m_settings.wTimeoutMS);
if(m_settings.journal)
command_and_options["j"] = Bson(true);
if(m_settings.fsync)
command_and_options["fsync"] = Bson(true);
_MongoErrorDescription ret;
query!Bson(db ~ ".$cmd", QueryFlags.NoCursorTimeout | m_settings.defQueryFlags,
0, -1, serializeToBson(command_and_options), Bson(null),
(cursor, flags, first_doc, num_docs) {
logTrace("getLastEror(%s) flags: %s, cursor: %s, documents: %s", db, flags, cursor, num_docs);
enforce(!(flags & ReplyFlags.QueryFailure),
new MongoDriverException(format("MongoDB error: getLastError(%s) call failed.", db))
);
enforce(
num_docs == 1,
new MongoDriverException(format("getLastError(%s) returned %s documents instead of one.", db, num_docs))
);
},
(idx, ref error) {
try {
ret = MongoErrorDescription(
error.err.opt!string(""),
error.code.opt!int(-1),
error.connectionId.get!int(),
error.n.get!int(),
error.ok.get!double()
);
} catch (Exception e) {
throw new MongoDriverException(e.msg);
}
}
);
return ret;
}
private int recvReply(T)(int reqid, scope ReplyDelegate on_msg, scope DocDelegate!T on_doc)
{
import std.traits;
auto bytes_read = m_bytesRead;
int msglen = recvInt();
int resid = recvInt();
int respto = recvInt();
int opcode = recvInt();
enforce(respto == reqid, "Reply is not for the expected message on a sequential connection!");
enforce(opcode == OpCode.Reply, "Got a non-'Reply' reply!");
auto flags = cast(ReplyFlags)recvInt();
long cursor = recvLong();
int start = recvInt();
int numret = recvInt();
scope (exit) {
if (m_bytesRead - bytes_read < msglen) {
logWarn("MongoDB reply was longer than expected, skipping the rest: %d vs. %d", msglen, m_bytesRead - bytes_read);
ubyte[] dst = new ubyte[msglen - cast(size_t)(m_bytesRead - bytes_read)];
recv(dst);
} else if (m_bytesRead - bytes_read > msglen) {
logWarn("MongoDB reply was shorter than expected. Dropping connection.");
disconnect();
throw new MongoDriverException("MongoDB reply was too short for data.");
}
}
on_msg(cursor, flags, start, numret);
foreach (i; 0 .. cast(size_t)numret) {
// TODO: directly deserialize from the wire
static if (!hasIndirections!T && !is(T == Bson)) {
ubyte[256] buf = void;
auto bson = recvBson(buf);
} else {
auto bson = recvBson(null);
}
static if (is(T == Bson)) on_doc(i, bson);
else {
T doc = deserializeBson!T(bson);
on_doc(i, doc);
}
}
return resid;
}
private int send(ARGS...)(OpCode code, int response_to, ARGS args)
{
if( !connected() ) connect();
int id = nextMessageId();
sendValue(16 + sendLength(args));
sendValue(id);
sendValue(response_to);
sendValue(cast(int)code);
foreach (a; args) sendValue(a);
m_stream.flush();
return id;
}
private void sendValue(T)(T value)
{
import std.traits;
static if (is(T == int)) sendBytes(toBsonData(value));
else static if (is(T == long)) sendBytes(toBsonData(value));
else static if (is(T == Bson)) sendBytes(value.data);
else static if (is(T == string)) {
sendBytes(cast(ubyte[])value);
sendBytes(cast(ubyte[])"\0");
} else static if (isArray!T) {
foreach (v; value)
sendValue(v);
} else static assert(false, "Unexpected type: "~T.stringof);
}
private void sendBytes(in ubyte[] data){ m_stream.write(data); }
private int recvInt() { ubyte[int.sizeof] ret; recv(ret); return fromBsonData!int(ret); }
private long recvLong() { ubyte[long.sizeof] ret; recv(ret); return fromBsonData!long(ret); }
private Bson recvBson(ubyte[] buf) {
int len = recvInt();
if (len > buf.length) buf = new ubyte[len];
else buf = buf[0 .. len];
buf[0 .. 4] = toBsonData(len)[];
recv(buf[4 .. $]);
return Bson(Bson.Type.Object, cast(immutable)buf);
}
private void recv(ubyte[] dst) { enforce(m_stream); m_stream.read(dst); m_bytesRead += dst.length; }
private int nextMessageId() { return m_msgid++; }
private void checkForError(string collection_name)
{
auto coll = collection_name.split(".")[0];
auto err = getLastError(coll);
enforce(
err.code < 0,
new MongoDBException(err)
);
}
private void authenticate()
{
string cn = (m_settings.database == string.init ? "admin" : m_settings.database) ~ ".$cmd";
string nonce, key;
auto cmd = Bson(["getnonce":Bson(1)]);
query!Bson(cn, QueryFlags.None, 0, -1, cmd, Bson(null),
(cursor, flags, first_doc, num_docs) {
if ((flags & ReplyFlags.QueryFailure) || num_docs != 1)
throw new MongoDriverException("Calling getNonce failed.");
},
(idx, ref doc) {
if (doc["ok"].get!double != 1.0)
throw new MongoDriverException("getNonce failed.");
nonce = doc["nonce"].get!string;
key = toLower(toHexString(md5Of(nonce ~ m_settings.username ~ m_settings.digest)).idup);
}
);
cmd = Bson.emptyObject;
cmd["authenticate"] = Bson(1);
cmd["nonce"] = Bson(nonce);
cmd["user"] = Bson(m_settings.username);
cmd["key"] = Bson(key);
query!Bson(cn, QueryFlags.None, 0, -1, cmd, Bson(null),
(cursor, flags, first_doc, num_docs) {
if ((flags & ReplyFlags.QueryFailure) || num_docs != 1)
throw new MongoDriverException("Calling authenticate failed.");
},
(idx, ref doc) {
if (doc["ok"].get!double != 1.0)
throw new MongoAuthException("Authentication failed.");
}
);
}
}
/**
* Parses the given string as a mongodb URL. The URL must be in the form documented at
* $(LINK http://www.mongodb.org/display/DOCS/Connections) which is:
*
* mongodb://[username:password@]host1[:port1][,host2[:port2],...[,hostN[:portN]]][/[database][?options]]
*
* Returns: true if the URL was successfully parsed. False if the URL can not be parsed.
*
* If the URL is successfully parsed the MongoClientSettings instance will contain the parsed config.
* If the URL is not successfully parsed the information in the MongoClientSettings instance may be
* incomplete and should not be used.
*/
bool parseMongoDBUrl(out MongoClientSettings cfg, string url)
{
cfg = new MongoClientSettings();
string tmpUrl = url[0..$]; // Slice of the url (not a copy)
if( !startsWith(tmpUrl, "mongodb://") )
{
return false;
}
// Reslice to get rid of 'mongodb://'
tmpUrl = tmpUrl[10..$];
auto slashIndex = tmpUrl.indexOf("/");
if( slashIndex == -1 ) slashIndex = tmpUrl.length;
auto authIndex = tmpUrl[0 .. slashIndex].indexOf('@');
sizediff_t hostIndex = 0; // Start of the host portion of the URL.
// Parse out the username and optional password.
if( authIndex != -1 )
{
// Set the host start to after the '@'
hostIndex = authIndex + 1;
string password;
auto colonIndex = tmpUrl[0..authIndex].indexOf(':');
if(colonIndex != -1)
{
cfg.username = tmpUrl[0..colonIndex];
password = tmpUrl[colonIndex + 1 .. authIndex];
} else {
cfg.username = tmpUrl[0..authIndex];
}
// Make sure the username is not empty. If it is then the parse failed.
if(cfg.username.length == 0)
{
return false;
}
cfg.digest = MongoClientSettings.makeDigest(cfg.username, password);
}
// Parse the hosts section.
try
{
foreach(entry; splitter(tmpUrl[hostIndex..slashIndex], ","))
{
auto hostPort = splitter(entry, ":");
string host = hostPort.front;
hostPort.popFront();
ushort port = MongoConnection.defaultPort;
if (!hostPort.empty) {
port = to!ushort(hostPort.front);
hostPort.popFront();
}
enforce(hostPort.empty, "Host specifications are expected to be of the form \"HOST:PORT,HOST:PORT,...\".");
cfg.hosts ~= MongoHost(host, port);
}
} catch (Exception e) {
return false; // Probably failed converting the port to ushort.
}
// If we couldn't parse a host we failed.
if(cfg.hosts.length == 0)
{
return false;
}
if(slashIndex == tmpUrl.length)
{
// We're done parsing.
return true;
}
auto queryIndex = tmpUrl[slashIndex..$].indexOf("?");
if(queryIndex == -1){
// No query string. Remaining string is the database
queryIndex = tmpUrl.length;
} else {
queryIndex += slashIndex;
}
cfg.database = tmpUrl[slashIndex+1..queryIndex];
if(queryIndex != tmpUrl.length)
{
FormFields options;
parseURLEncodedForm(tmpUrl[queryIndex+1 .. $], options);
foreach (option, value; options) {
bool setBool(ref bool dst)
{
try {
dst = to!bool(value);
return true;
} catch( Exception e ){
logError("Value for '%s' must be 'true' or 'false' but was '%s'.", option, value);
return false;
}
}
bool setLong(ref long dst)
{
try {
dst = to!long(value);
return true;
} catch( Exception e ){
logError("Value for '%s' must be an integer but was '%s'.", option, value);
return false;
}
}
void warnNotImplemented()
{
logWarn("MongoDB option %s not yet implemented.", option);
}
switch( option.toLower() ){
default: logWarn("Unknown MongoDB option %s", option); break;
case "slaveok": bool v; if( setBool(v) && v ) cfg.defQueryFlags |= QueryFlags.SlaveOk; break;
case "replicaset": cfg.replicaSet = value; warnNotImplemented(); break;
case "safe": setBool(cfg.safe); break;
case "fsync": setBool(cfg.fsync); break;
case "journal": setBool(cfg.journal); break;
case "connecttimeoutms": setLong(cfg.connectTimeoutMS); warnNotImplemented(); break;
case "sockettimeoutms": setLong(cfg.socketTimeoutMS); warnNotImplemented(); break;
case "ssl": setBool(cfg.ssl); break;
case "sslverifycertificate": setBool(cfg.sslverifycertificate); break;
case "wtimeoutms": setLong(cfg.wTimeoutMS); break;
case "w":
try {
if(icmp(value, "majority") == 0){
cfg.w = Bson("majority");
} else {
cfg.w = Bson(to!long(value));
}
} catch (Exception e) {
logError("Invalid w value: [%s] Should be an integer number or 'majority'", value);
}
break;
}
}
/* Some m_settings imply safe. If they are set, set safe to true regardless
* of what it was set to in the URL string
*/
if( (cfg.w != Bson.init) || (cfg.wTimeoutMS != long.init) ||
cfg.journal || cfg.fsync )
{
cfg.safe = true;
}
}
return true;
}
/* Test for parseMongoDBUrl */
unittest
{
MongoClientSettings cfg;
assert(parseMongoDBUrl(cfg, "mongodb://localhost"));
assert(cfg.hosts.length == 1);
assert(cfg.database == "");
assert(cfg.hosts[0].name == "localhost");
assert(cfg.hosts[0].port == 27017);
assert(cfg.defQueryFlags == QueryFlags.None);
assert(cfg.replicaSet == "");
assert(cfg.safe == false);
assert(cfg.w == Bson.init);
assert(cfg.wTimeoutMS == long.init);
assert(cfg.fsync == false);
assert(cfg.journal == false);
assert(cfg.connectTimeoutMS == long.init);
assert(cfg.socketTimeoutMS == long.init);
assert(cfg.ssl == bool.init);
assert(cfg.sslverifycertificate == true);
cfg = MongoClientSettings.init;
assert(parseMongoDBUrl(cfg, "mongodb://fred:foobar@localhost"));
assert(cfg.username == "fred");
//assert(cfg.password == "foobar");
assert(cfg.digest == MongoClientSettings.makeDigest("fred", "foobar"));
assert(cfg.hosts.length == 1);
assert(cfg.database == "");
assert(cfg.hosts[0].name == "localhost");
assert(cfg.hosts[0].port == 27017);
cfg = MongoClientSettings.init;
assert(parseMongoDBUrl(cfg, "mongodb://fred:@localhost/baz"));
assert(cfg.username == "fred");
//assert(cfg.password == "");
assert(cfg.digest == MongoClientSettings.makeDigest("fred", ""));
assert(cfg.database == "baz");
assert(cfg.hosts.length == 1);
assert(cfg.hosts[0].name == "localhost");
assert(cfg.hosts[0].port == 27017);
cfg = MongoClientSettings.init;
assert(parseMongoDBUrl(cfg, "mongodb://host1,host2,host3/?safe=true&w=2&wtimeoutMS=2000&slaveOk=true&ssl=true&sslverifycertificate=false"));
assert(cfg.username == "");
//assert(cfg.password == "");
assert(cfg.digest == "");
assert(cfg.database == "");
assert(cfg.hosts.length == 3);
assert(cfg.hosts[0].name == "host1");
assert(cfg.hosts[0].port == 27017);
assert(cfg.hosts[1].name == "host2");
assert(cfg.hosts[1].port == 27017);
assert(cfg.hosts[2].name == "host3");
assert(cfg.hosts[2].port == 27017);
assert(cfg.safe == true);
assert(cfg.w == Bson(2L));
assert(cfg.wTimeoutMS == 2000);
assert(cfg.defQueryFlags == QueryFlags.SlaveOk);
assert(cfg.ssl == true);
assert(cfg.sslverifycertificate == false);
cfg = MongoClientSettings.init;
assert(parseMongoDBUrl(cfg,
"mongodb://fred:flinstone@host1.example.com,host2.other.example.com:27108,host3:"
"27019/mydb?journal=true;fsync=true;connectTimeoutms=1500;sockettimeoutMs=1000;w=majority"));
assert(cfg.username == "fred");
//assert(cfg.password == "flinstone");
assert(cfg.digest == MongoClientSettings.makeDigest("fred", "flinstone"));
assert(cfg.database == "mydb");
assert(cfg.hosts.length == 3);
assert(cfg.hosts[0].name == "host1.example.com");
assert(cfg.hosts[0].port == 27017);
assert(cfg.hosts[1].name == "host2.other.example.com");
assert(cfg.hosts[1].port == 27108);
assert(cfg.hosts[2].name == "host3");
assert(cfg.hosts[2].port == 27019);
assert(cfg.fsync == true);
assert(cfg.journal == true);
assert(cfg.connectTimeoutMS == 1500);
assert(cfg.socketTimeoutMS == 1000);
assert(cfg.w == Bson("majority"));
assert(cfg.safe == true);
// Invalid URLs - these should fail to parse
cfg = MongoClientSettings.init;
assert(! (parseMongoDBUrl(cfg, "localhost:27018")));
assert(! (parseMongoDBUrl(cfg, "http://blah")));
assert(! (parseMongoDBUrl(cfg, "mongodb://@localhost")));
assert(! (parseMongoDBUrl(cfg, "mongodb://:thepass@localhost")));
assert(! (parseMongoDBUrl(cfg, "mongodb://:badport/")));
}
private enum OpCode : int {
Reply = 1, // sent only by DB
Msg = 1000,
Update = 2001,
Insert = 2002,
Reserved1 = 2003,
Query = 2004,
GetMore = 2005,
Delete = 2006,
KillCursors = 2007
}
alias ReplyDelegate = void delegate(long cursor, ReplyFlags flags, int first_doc, int num_docs);
template DocDelegate(T) { alias DocDelegate = void delegate(size_t idx, ref T doc); }
enum UpdateFlags {
None = 0,
Upsert = 1<<0,
MultiUpdate = 1<<1
}
enum InsertFlags {
None = 0,
ContinueOnError = 1<<0
}
enum QueryFlags {
None = 0,
TailableCursor = 1<<1,
SlaveOk = 1<<2,
OplogReplay = 1<<3,
NoCursorTimeout = 1<<4,
AwaitData = 1<<5,
Exhaust = 1<<6,
Partial = 1<<7
}
enum DeleteFlags {
None = 0,
SingleRemove = 1<<0,
}
enum ReplyFlags {
None = 0,
CursorNotFound = 1<<0,
QueryFailure = 1<<1,
ShardConfigStale = 1<<2,
AwaitCapable = 1<<3
}
/// [internal]
class MongoClientSettings
{
string username;
string digest;
MongoHost[] hosts;
string database;
QueryFlags defQueryFlags = QueryFlags.None;
string replicaSet;
bool safe;
Bson w; // Either a number or the string 'majority'
long wTimeoutMS;
bool fsync;
bool journal;
long connectTimeoutMS;
long socketTimeoutMS;
bool ssl;
bool sslverifycertificate = true;
static string makeDigest(string username, string password)
{
return md5Of(username ~ ":mongo:" ~ password).toHexString().idup.toLower();
}
}
private struct MongoHost
{
string name;
ushort port;
}
private int sendLength(ARGS...)(ARGS args)
{
import std.traits;
static if (ARGS.length == 1) {
alias T = ARGS[0];
static if (is(T == string)) return cast(int)args[0].length + 1;
else static if (is(T == int)) return 4;
else static if (is(T == long)) return 8;
else static if (is(T == Bson)) return cast(int)args[0].data.length;
else static if (isArray!T) {
int ret = 0;
foreach (el; args[0]) ret += sendLength(el);
return ret;
} else static assert(false, "Unexpected type: "~T.stringof);
}
else if (ARGS.length == 0) return 0;
else return sendLength(args[0 .. $/2]) + sendLength(args[$/2 .. $]);
}
|
D
|
void main()
{
real x = 1;
real y = x / 0;
assert(y is real.infinity);
}
|
D
|
/Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/Objects-normal/x86_64/ChartRendererBase.o : /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/BarChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/BarChartHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/BarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/BarChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/BarLineChartViewBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarLineScatterCandleBubbleChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarLineScatterCandleBubbleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BubbleChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BubbleChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/BubbleChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BubbleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/BubbleChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/BubbleChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CandleChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CandleChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/CandleChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CandleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/CandleStickChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/CandleStickChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Animation/ChartAnimationEasing.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Animation/ChartAnimator.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartAxisBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartAxisRendererBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartColorTemplates.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartComponentBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Filters/ChartDataApproximatorFilter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Filters/ChartDataBaseFilter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/ChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartDataRendererBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Formatters/ChartDefaultXAxisValueFormatter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Formatters/ChartFillFormatter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/ChartHighlight.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/ChartHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartLegend.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartLegendRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartLimitLine.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartMarker.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/ChartRange.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartRendererBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartSelectionDetail.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartTransformer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartTransformerHorizontalBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartUtils.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/ChartViewBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartViewPortHandler.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartXAxis.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRendererBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRendererHorizontalBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRendererRadarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Formatters/ChartXAxisValueFormatter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartYAxis.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartYAxisRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartYAxisRendererHorizontalBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartYAxisRendererRadarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CombinedChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/CombinedChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/CombinedChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/CombinedHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/HorizontalBarChartHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/HorizontalBarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/HorizontalBarChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/LineChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/LineChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/LineChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineRadarChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineScatterCandleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/LineScatterCandleRadarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/PieChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/PieChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/PieChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/PieChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/PieRadarChartViewBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/RadarChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/RadarChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/RadarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/RadarChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ScatterChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/ScatterChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ScatterChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ScatterChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/ScatterChartView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Target\ Support\ Files/Charts/Charts-umbrella.h /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
/Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/Objects-normal/x86_64/ChartRendererBase~partial.swiftmodule : /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/BarChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/BarChartHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/BarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/BarChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/BarLineChartViewBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarLineScatterCandleBubbleChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarLineScatterCandleBubbleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BubbleChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BubbleChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/BubbleChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BubbleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/BubbleChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/BubbleChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CandleChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CandleChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/CandleChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CandleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/CandleStickChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/CandleStickChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Animation/ChartAnimationEasing.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Animation/ChartAnimator.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartAxisBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartAxisRendererBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartColorTemplates.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartComponentBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Filters/ChartDataApproximatorFilter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Filters/ChartDataBaseFilter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/ChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartDataRendererBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Formatters/ChartDefaultXAxisValueFormatter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Formatters/ChartFillFormatter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/ChartHighlight.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/ChartHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartLegend.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartLegendRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartLimitLine.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartMarker.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/ChartRange.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartRendererBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartSelectionDetail.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartTransformer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartTransformerHorizontalBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartUtils.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/ChartViewBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartViewPortHandler.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartXAxis.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRendererBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRendererHorizontalBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRendererRadarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Formatters/ChartXAxisValueFormatter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartYAxis.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartYAxisRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartYAxisRendererHorizontalBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartYAxisRendererRadarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CombinedChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/CombinedChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/CombinedChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/CombinedHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/HorizontalBarChartHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/HorizontalBarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/HorizontalBarChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/LineChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/LineChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/LineChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineRadarChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineScatterCandleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/LineScatterCandleRadarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/PieChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/PieChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/PieChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/PieChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/PieRadarChartViewBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/RadarChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/RadarChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/RadarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/RadarChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ScatterChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/ScatterChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ScatterChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ScatterChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/ScatterChartView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Target\ Support\ Files/Charts/Charts-umbrella.h /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
/Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/Objects-normal/x86_64/ChartRendererBase~partial.swiftdoc : /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/BarChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/BarChartHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/BarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/BarChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/BarLineChartViewBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarLineScatterCandleBubbleChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/BarLineScatterCandleBubbleChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BarLineScatterCandleBubbleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BubbleChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BubbleChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/BubbleChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/BubbleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/BubbleChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/BubbleChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CandleChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CandleChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/CandleChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CandleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/CandleStickChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/CandleStickChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Animation/ChartAnimationEasing.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Animation/ChartAnimator.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartAxisBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartAxisRendererBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartColorTemplates.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartComponentBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Filters/ChartDataApproximatorFilter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Filters/ChartDataBaseFilter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ChartDataEntry.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/ChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartDataRendererBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Formatters/ChartDefaultXAxisValueFormatter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Formatters/ChartFillFormatter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/ChartHighlight.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/ChartHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartLegend.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartLegendRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartLimitLine.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartMarker.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/ChartRange.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartRendererBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartSelectionDetail.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartTransformer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartTransformerHorizontalBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartUtils.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/ChartViewBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Utils/ChartViewPortHandler.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartXAxis.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRendererBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRendererHorizontalBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartXAxisRendererRadarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Formatters/ChartXAxisValueFormatter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Components/ChartYAxis.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartYAxisRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartYAxisRendererHorizontalBarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ChartYAxisRendererRadarChart.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/CombinedChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/CombinedChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/CombinedChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/CombinedHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Highlight/HorizontalBarChartHighlighter.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/HorizontalBarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/HorizontalBarChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/LineChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/LineChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/LineChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineRadarChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/LineScatterCandleChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/LineScatterCandleRadarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/PieChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/PieChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/PieChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/PieChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/PieRadarChartViewBase.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/RadarChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/RadarChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/RadarChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/RadarChartView.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ScatterChartData.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Interfaces/ScatterChartDataProvider.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Data/ScatterChartDataSet.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Renderers/ScatterChartRenderer.swift /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Charts/Charts/Classes/Charts/ScatterChartView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Pods/Target\ Support\ Files/Charts/Charts-umbrella.h /Users/nicolas.linard/Projects/ios/pulsewaveanalyser/PulwaveAnalyser/Build/Intermediates/Pods.build/Debug-iphonesimulator/Charts.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
|
D
|
/Users/yingyuhang/Desktop/学习/Rust-numerical-library/Numerical-Lib/target/release/deps/synstructure-a9e9b28b8745c1af.rmeta: /Users/yingyuhang/.cargo/registry/src/github.com-1ecc6299db9ec823/synstructure-0.12.4/src/lib.rs /Users/yingyuhang/.cargo/registry/src/github.com-1ecc6299db9ec823/synstructure-0.12.4/src/macros.rs
/Users/yingyuhang/Desktop/学习/Rust-numerical-library/Numerical-Lib/target/release/deps/libsynstructure-a9e9b28b8745c1af.rlib: /Users/yingyuhang/.cargo/registry/src/github.com-1ecc6299db9ec823/synstructure-0.12.4/src/lib.rs /Users/yingyuhang/.cargo/registry/src/github.com-1ecc6299db9ec823/synstructure-0.12.4/src/macros.rs
/Users/yingyuhang/Desktop/学习/Rust-numerical-library/Numerical-Lib/target/release/deps/synstructure-a9e9b28b8745c1af.d: /Users/yingyuhang/.cargo/registry/src/github.com-1ecc6299db9ec823/synstructure-0.12.4/src/lib.rs /Users/yingyuhang/.cargo/registry/src/github.com-1ecc6299db9ec823/synstructure-0.12.4/src/macros.rs
/Users/yingyuhang/.cargo/registry/src/github.com-1ecc6299db9ec823/synstructure-0.12.4/src/lib.rs:
/Users/yingyuhang/.cargo/registry/src/github.com-1ecc6299db9ec823/synstructure-0.12.4/src/macros.rs:
|
D
|
/Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/HTTP.build/FoundationClient/Client+Foundation.swift.o : /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TCPServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TLSServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response+Redirect.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/URI.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/TLS.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/libc.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Core.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Sockets.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Transport.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/CHTTP.build/module.modulemap
/Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/HTTP.build/Client+Foundation~partial.swiftmodule : /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TCPServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TLSServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response+Redirect.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/URI.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/TLS.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/libc.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Core.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Sockets.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Transport.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/CHTTP.build/module.modulemap
/Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/HTTP.build/Client+Foundation~partial.swiftdoc : /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TCPServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TLSServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response+Redirect.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/URI.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/TLS.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/libc.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Core.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Sockets.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Transport.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/CHTTP.build/module.modulemap
|
D
|
/***********************************************************************\
* sql.d *
* *
* Windows API header module *
* *
* Translated from MinGW Windows headers *
* *
* Placed into public domain *
\***********************************************************************/
module windows.sql;
nothrow:
public import windows.sqltypes;
private import windows.windef;
const ODBCVER = 0x0351;
const SQL_ACCESSIBLE_PROCEDURES=20;
const SQL_ACCESSIBLE_TABLES=19;
const SQL_ALL_TYPES=0;
const SQL_ALTER_TABLE=86;
const SQL_API_SQLALLOCCONNECT=1;
const SQL_API_SQLALLOCENV=2;
const SQL_API_SQLALLOCSTMT=3;
const SQL_API_SQLBINDCOL=4;
const SQL_API_SQLCANCEL=5;
const SQL_API_SQLCOLUMNS=40;
const SQL_API_SQLCONNECT=7;
const SQL_API_SQLDATASOURCES=57;
const SQL_API_SQLDESCRIBECOL=8;
const SQL_API_SQLDISCONNECT=9;
const SQL_API_SQLERROR=10;
const SQL_API_SQLEXECDIRECT=11;
const SQL_API_SQLEXECUTE=12;
const SQL_API_SQLFETCH=13;
const SQL_API_SQLFREECONNECT=14;
const SQL_API_SQLFREEENV=15;
const SQL_API_SQLFREESTMT=16;
const SQL_API_SQLGETCONNECTOPTION=42;
const SQL_API_SQLGETCURSORNAME=17;
const SQL_API_SQLGETDATA=43;
const SQL_API_SQLGETFUNCTIONS=44;
const SQL_API_SQLGETINFO=45;
const SQL_API_SQLGETSTMTOPTION=46;
const SQL_API_SQLGETTYPEINFO=47;
const SQL_API_SQLNUMRESULTCOLS=18;
const SQL_API_SQLPARAMDATA=48;
const SQL_API_SQLPREPARE=19;
const SQL_API_SQLPUTDATA=49;
const SQL_API_SQLROWCOUNT=20;
const SQL_API_SQLSETCONNECTOPTION=50;
const SQL_API_SQLSETCURSORNAME=21;
const SQL_API_SQLSETPARAM=22;
const SQL_API_SQLSETSTMTOPTION=51;
const SQL_API_SQLSPECIALCOLUMNS=52;
const SQL_API_SQLSTATISTICS=53;
const SQL_API_SQLTABLES=54;
const SQL_API_SQLTRANSACT=23;
const SQL_CB_DELETE=0;
const SQL_CB_CLOSE=1;
const SQL_CB_PRESERVE=2;
const SQL_CHAR=1;
const SQL_CLOSE=0;
const SQL_COMMIT=0;
const SQL_CURSOR_COMMIT_BEHAVIOR=23;
const SQL_DATA_AT_EXEC=-2;
const SQL_DATA_SOURCE_NAME=2;
const SQL_DATA_SOURCE_READ_ONLY=25;
const SQL_DBMS_NAME=17;
const SQL_DBMS_VER=18;
const SQL_DECIMAL=3;
const SQL_DEFAULT_TXN_ISOLATION=26;
const SQL_DOUBLE=8;
const SQL_DROP=1;
const SQL_ERROR=-1;
const SQL_FD_FETCH_NEXT=1;
const SQL_FD_FETCH_FIRST=2;
const SQL_FD_FETCH_LAST=4;
const SQL_FD_FETCH_PRIOR=8;
const SQL_FD_FETCH_ABSOLUTE=16;
const SQL_FD_FETCH_RELATIVE=32;
const SQL_FETCH_ABSOLUTE=5;
const SQL_FETCH_DIRECTION=8;
const SQL_FETCH_FIRST=2;
const SQL_FETCH_LAST=3;
const SQL_FETCH_NEXT=1;
const SQL_FETCH_PRIOR=4;
const SQL_FETCH_RELATIVE=6;
const SQL_FLOAT=6;
const SQL_GD_ANY_COLUMN=1;
const SQL_GD_ANY_ORDER=2;
const SQL_GETDATA_EXTENSIONS=81;
const SQL_IC_LOWER=2;
const SQL_IC_MIXED=4;
const SQL_IC_SENSITIVE=3;
const SQL_IC_UPPER=1;
const SQL_IDENTIFIER_CASE=28;
const SQL_IDENTIFIER_QUOTE_CHAR=29;
const SQL_INDEX_ALL=1;
const SQL_INDEX_CLUSTERED=1;
const SQL_INDEX_HASHED=2;
const SQL_INDEX_OTHER=3;
const SQL_INDEX_UNIQUE=0;
const SQL_INTEGER=4;
const SQL_INTEGRITY=73;
const SQL_INVALID_HANDLE=-2;
const SQL_MAX_CATALOG_NAME_LEN=34;
const SQL_MAX_COLUMN_NAME_LEN=30;
const SQL_MAX_COLUMNS_IN_GROUP_BY=97;
const SQL_MAX_COLUMNS_IN_INDEX=98;
const SQL_MAX_COLUMNS_IN_ORDER_BY=99;
const SQL_MAX_COLUMNS_IN_SELECT=100;
const SQL_MAX_COLUMNS_IN_TABLE=101;
const SQL_MAX_CURSOR_NAME_LEN=31;
const SQL_MAX_INDEX_SIZE=102;
const SQL_MAX_MESSAGE_LENGTH=512;
const SQL_MAX_ROW_SIZE=104;
const SQL_MAX_SCHEMA_NAME_LEN=32;
const SQL_MAX_STATEMENT_LEN=105;
const SQL_MAX_TABLE_NAME_LEN=35;
const SQL_MAX_TABLES_IN_SELECT=106;
const SQL_MAX_USER_NAME_LEN=107;
const SQL_MAXIMUM_CATALOG_NAME_LENGTH=SQL_MAX_CATALOG_NAME_LEN;
const SQL_MAXIMUM_COLUMN_NAME_LENGTH=SQL_MAX_COLUMN_NAME_LEN;
const SQL_MAXIMUM_COLUMNS_IN_GROUP_BY=SQL_MAX_COLUMNS_IN_GROUP_BY;
const SQL_MAXIMUM_COLUMNS_IN_INDEX=SQL_MAX_COLUMNS_IN_INDEX;
const SQL_MAXIMUM_COLUMNS_IN_ORDER_BY=SQL_MAX_COLUMNS_IN_ORDER_BY;
const SQL_MAXIMUM_COLUMNS_IN_SELECT=SQL_MAX_COLUMNS_IN_SELECT;
const SQL_MAXIMUM_CURSOR_NAME_LENGTH=SQL_MAX_CURSOR_NAME_LEN;
const SQL_MAXIMUM_INDEX_SIZE=SQL_MAX_INDEX_SIZE;
const SQL_MAXIMUM_ROW_SIZE=SQL_MAX_ROW_SIZE;
const SQL_MAXIMUM_SCHEMA_NAME_LENGTH=SQL_MAX_SCHEMA_NAME_LEN;
const SQL_MAXIMUM_STATEMENT_LENGTH=SQL_MAX_STATEMENT_LEN;
const SQL_MAXIMUM_TABLES_IN_SELECT=SQL_MAX_TABLES_IN_SELECT;
const SQL_MAXIMUM_USER_NAME_LENGTH=SQL_MAX_USER_NAME_LEN;
const SQL_NC_HIGH=0;
const SQL_NC_LOW=1;
const SQL_NEED_DATA=99;
const SQL_NO_NULLS=0;
const SQL_NTS=-3;
const LONG SQL_NTSL=-3;
const SQL_NULL_COLLATION=85;
const SQL_NULL_DATA=-1;
const SQL_NULL_HDBC=0;
const SQL_NULL_HENV=0;
const SQL_NULL_HSTMT=0;
const SQL_NULLABLE=1;
const SQL_NULLABLE_UNKNOWN=2;
const SQL_NUMERIC=2;
const SQL_ORDER_BY_COLUMNS_IN_SELECT=90;
const SQL_PC_PSEUDO=2;
const SQL_PC_UNKNOWN=0;
const SQL_REAL=7;
const SQL_RESET_PARAMS=3;
const SQL_ROLLBACK=1;
const SQL_SCCO_LOCK=2;
const SQL_SCCO_OPT_ROWVER=4;
const SQL_SCCO_OPT_VALUES=8;
const SQL_SCCO_READ_ONLY=1;
const SQL_SCOPE_CURROW=0;
const SQL_SCOPE_SESSION=2;
const SQL_SCOPE_TRANSACTION=1;
const SQL_SCROLL_CONCURRENCY=43;
const SQL_SEARCH_PATTERN_ESCAPE=14;
const SQL_SERVER_NAME=13;
const SQL_SMALLINT=5;
const SQL_SPECIAL_CHARACTERS=94;
const SQL_STILL_EXECUTING=2;
//MACRO #define SQL_SUCCEEDED(rc) (((rc)&(~1))==0)
const SQL_SUCCESS=0;
const SQL_SUCCESS_WITH_INFO=1;
const SQL_TC_ALL=2;
const SQL_TC_DDL_COMMIT=3;
const SQL_TC_DDL_IGNORE=4;
const SQL_TC_DML=1;
const SQL_TC_NONE=0;
const SQL_TXN_CAPABLE=46;
const SQL_TXN_ISOLATION_OPTION=72;
const SQL_TXN_READ_COMMITTED=2;
const SQL_TXN_READ_UNCOMMITTED=1;
const SQL_TXN_REPEATABLE_READ=4;
const SQL_TXN_SERIALIZABLE=8;
const SQL_TRANSACTION_CAPABLE=SQL_TXN_CAPABLE;
const SQL_TRANSACTION_ISOLATION_OPTION=SQL_TXN_ISOLATION_OPTION;
const SQL_TRANSACTION_READ_COMMITTED=SQL_TXN_READ_COMMITTED;
const SQL_TRANSACTION_READ_UNCOMMITTED=SQL_TXN_READ_UNCOMMITTED;
const SQL_TRANSACTION_REPEATABLE_READ=SQL_TXN_REPEATABLE_READ;
const SQL_TRANSACTION_SERIALIZABLE=SQL_TXN_SERIALIZABLE;
const SQL_UNBIND=2;
const SQL_UNKNOWN_TYPE=0;
const SQL_USER_NAME=47;
const SQL_VARCHAR=12;
static if (ODBCVER >= 0x0200) {
const SQL_AT_ADD_COLUMN = 1;
const SQL_AT_DROP_COLUMN = 2;
}
static if (ODBCVER >= 0x0201) {
const SQL_OJ_LEFT = 1;
const SQL_OJ_RIGHT = 2;
const SQL_OJ_FULL = 4;
const SQL_OJ_NESTED = 8;
const SQL_OJ_NOT_ORDERED = 16;
const SQL_OJ_INNER = 32;
const SQL_OJ_ALL_COMPARISON_OPS = 64;
}
static if (ODBCVER >= 0x0300) {
const SQL_AM_CONNECTION=1;
const SQL_AM_NONE=0;
const SQL_AM_STATEMENT=2;
const SQL_API_SQLALLOCHANDLE=1001;
const SQL_API_SQLBINDPARAM=1002;
const SQL_API_SQLCLOSECURSOR=1003;
const SQL_API_SQLCOLATTRIBUTE=6;
const SQL_API_SQLCOPYDESC=1004;
const SQL_API_SQLENDTRAN=1005;
const SQL_API_SQLFETCHSCROLL=1021;
const SQL_API_SQLFREEHANDLE=1006;
const SQL_API_SQLGETCONNECTATTR=1007;
const SQL_API_SQLGETDESCFIELD=1008;
const SQL_API_SQLGETDESCREC=1009;
const SQL_API_SQLGETDIAGFIELD=1010;
const SQL_API_SQLGETDIAGREC=1011;
const SQL_API_SQLGETENVATTR=1012;
const SQL_API_SQLGETSTMTATTR=1014;
const SQL_API_SQLSETCONNECTATTR=1016;
const SQL_API_SQLSETDESCFIELD=1017;
const SQL_API_SQLSETDESCREC=1018;
const SQL_API_SQLSETENVATTR=1019;
const SQL_API_SQLSETSTMTATTR=1020;
const SQL_ARD_TYPE=-99;
const SQL_AT_ADD_CONSTRAINT=8;
const SQL_ATTR_APP_PARAM_DESC=10011;
const SQL_ATTR_APP_ROW_DESC=10010;
const SQL_ATTR_AUTO_IPD=10001;
const SQL_ATTR_CURSOR_SCROLLABLE=-1;
const SQL_ATTR_CURSOR_SENSITIVITY=-2;
const SQL_ATTR_IMP_PARAM_DESC=10013;
const SQL_ATTR_IMP_ROW_DESC=10012;
const SQL_ATTR_METADATA_ID=10014;
const SQL_ATTR_OUTPUT_NTS=10001;
const SQL_CATALOG_NAME=10003;
const SQL_CODE_DATE=1;
const SQL_CODE_TIME=2;
const SQL_CODE_TIMESTAMP=3;
const SQL_COLLATION_SEQ=10004;
const SQL_CURSOR_SENSITIVITY=10001;
const SQL_DATE_LEN=10;
const SQL_DATETIME=9;
const SQL_DEFAULT=99;
const SQL_DESC_ALLOC_AUTO=1;
const SQL_DESC_ALLOC_USER=2;
const SQL_DESC_ALLOC_TYPE=1099;
const SQL_DESC_COUNT=1001;
const SQL_DESC_TYPE=1002;
const SQL_DESC_LENGTH=1003;
const SQL_DESC_OCTET_LENGTH_PTR=1004;
const SQL_DESC_PRECISION=1005;
const SQL_DESC_SCALE=1006;
const SQL_DESC_DATETIME_INTERVAL_CODE=1007;
const SQL_DESC_NULLABLE=1008;
const SQL_DESC_INDICATOR_PTR=1009;
const SQL_DESC_DATA_PTR=1010;
const SQL_DESC_NAME=1011;
const SQL_DESC_UNNAMED=1012;
const SQL_DESC_OCTET_LENGTH=1013;
const SQL_DESCRIBE_PARAMETER=10002;
const SQL_DIAG_ALTER_DOMAIN=3;
const SQL_DIAG_ALTER_TABLE=4;
const SQL_DIAG_CALL=7;
const SQL_DIAG_CLASS_ORIGIN=8;
const SQL_DIAG_CONNECTION_NAME=10;
const SQL_DIAG_CREATE_ASSERTION=6;
const SQL_DIAG_CREATE_CHARACTER_SET=8;
const SQL_DIAG_CREATE_COLLATION=10;
const SQL_DIAG_CREATE_DOMAIN=23;
const SQL_DIAG_CREATE_INDEX=-1;
const SQL_DIAG_CREATE_SCHEMA=64;
const SQL_DIAG_CREATE_TABLE=77;
const SQL_DIAG_CREATE_TRANSLATION=79;
const SQL_DIAG_CREATE_VIEW=84;
const SQL_DIAG_DELETE_WHERE=19;
const SQL_DIAG_DROP_ASSERTION=24;
const SQL_DIAG_DROP_CHARACTER_SET=25;
const SQL_DIAG_DROP_COLLATION=26;
const SQL_DIAG_DROP_DOMAIN=27;
const SQL_DIAG_DROP_INDEX=(-2);
const SQL_DIAG_DROP_SCHEMA=31;
const SQL_DIAG_DROP_TABLE=32;
const SQL_DIAG_DROP_TRANSLATION=33;
const SQL_DIAG_DROP_VIEW=36;
const SQL_DIAG_DYNAMIC_DELETE_CURSOR=38;
const SQL_DIAG_DYNAMIC_FUNCTION=7;
const SQL_DIAG_DYNAMIC_FUNCTION_CODE=12;
const SQL_DIAG_DYNAMIC_UPDATE_CURSOR=81;
const SQL_DIAG_GRANT=48;
const SQL_DIAG_INSERT=50;
const SQL_DIAG_MESSAGE_TEXT=6;
const SQL_DIAG_NATIVE=5;
const SQL_DIAG_NUMBER=2;
const SQL_DIAG_RETURNCODE=1;
const SQL_DIAG_REVOKE=59;
const SQL_DIAG_ROW_COUNT=3;
const SQL_DIAG_SELECT_CURSOR=85;
const SQL_DIAG_SERVER_NAME=11;
const SQL_DIAG_SQLSTATE=4;
const SQL_DIAG_SUBCLASS_ORIGIN=9;
const SQL_DIAG_UNKNOWN_STATEMENT=0;
const SQL_DIAG_UPDATE_WHERE=82;
const SQL_FALSE=0;
const SQL_HANDLE_DBC=2;
const SQL_HANDLE_DESC=4;
const SQL_HANDLE_ENV=1;
const SQL_HANDLE_STMT=3;
const SQL_INSENSITIVE=1;
const SQL_MAX_CONCURRENT_ACTIVITIES=1;
const SQL_MAX_DRIVER_CONNECTIONS=0;
const SQL_MAX_IDENTIFIER_LEN=10005;
const SQL_MAXIMUM_CONCURRENT_ACTIVITIES=SQL_MAX_CONCURRENT_ACTIVITIES;
const SQL_MAXIMUM_DRIVER_CONNECTIONS=SQL_MAX_DRIVER_CONNECTIONS;
const SQL_MAXIMUM_IDENTIFIER_LENGTH=SQL_MAX_IDENTIFIER_LEN;
const SQL_NAMED=0;
const SQL_NO_DATA=100;
const SQL_NONSCROLLABLE=0;
const SQL_NULL_HANDLE=0L;
const SQL_NULL_HDESC=0;
const SQL_OJ_CAPABILITIES=115;
const SQL_OUTER_JOIN_CAPABILITIES=SQL_OJ_CAPABILITIES;
const SQL_PC_NON_PSEUDO=1;
const SQL_PRED_NONE=0;
const SQL_PRED_CHAR=1;
const SQL_PRED_BASIC=2;
const SQL_ROW_IDENTIFIER=1;
const SQL_SCROLLABLE=1;
const SQL_SENSITIVE=2;
const SQL_TIME_LEN=8;
const SQL_TIMESTAMP_LEN=19;
const SQL_TRUE=1;
const SQL_TYPE_DATE=91;
const SQL_TYPE_TIME=92;
const SQL_TYPE_TIMESTAMP=93;
const SQL_UNNAMED=1;
const SQL_UNSPECIFIED=0;
const SQL_XOPEN_CLI_YEAR=10000;
}//#endif /* ODBCVER >= 0x0300 */
extern (Windows) {
deprecated {
SQLRETURN SQLAllocConnect(SQLHENV, SQLHDBC*);
SQLRETURN SQLAllocEnv(SQLHENV*);
SQLRETURN SQLAllocStmt(SQLHDBC, SQLHSTMT*);
SQLRETURN SQLError(SQLHENV, SQLHDBC, SQLHSTMT, SQLCHAR*, SQLINTEGER*, SQLCHAR*, SQLSMALLINT, SQLSMALLINT*);
SQLRETURN SQLFreeConnect(SQLHDBC);
SQLRETURN SQLFreeEnv(SQLHENV);
SQLRETURN SQLSetParam(SQLHSTMT, SQLUSMALLINT, SQLSMALLINT, SQLSMALLINT, SQLULEN, SQLSMALLINT, SQLPOINTER, SQLLEN*);
SQLRETURN SQLGetConnectOption(SQLHDBC, SQLUSMALLINT, SQLPOINTER);
SQLRETURN SQLGetStmtOption(SQLHSTMT, SQLUSMALLINT, SQLPOINTER);
SQLRETURN SQLSetConnectOption(SQLHDBC, SQLUSMALLINT, SQLULEN);
SQLRETURN SQLSetStmtOption(SQLHSTMT, SQLUSMALLINT, SQLROWCOUNT);
}
SQLRETURN SQLBindCol(SQLHSTMT, SQLUSMALLINT, SQLSMALLINT, SQLPOINTER, SQLLEN, SQLLEN*);
SQLRETURN SQLCancel(SQLHSTMT);
SQLRETURN SQLConnect(SQLHDBC, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT);
SQLRETURN SQLDescribeCol(SQLHSTMT, SQLUSMALLINT, SQLCHAR*, SQLSMALLINT, SQLSMALLINT*, SQLSMALLINT*, SQLULEN*, SQLSMALLINT*, SQLSMALLINT*);
SQLRETURN SQLDisconnect(SQLHDBC);
SQLRETURN SQLExecDirect(SQLHSTMT, SQLCHAR*, SQLINTEGER);
SQLRETURN SQLExecute(SQLHSTMT);
SQLRETURN SQLFetch(SQLHSTMT);
SQLRETURN SQLFreeStmt(SQLHSTMT, SQLUSMALLINT);
SQLRETURN SQLGetCursorName(SQLHSTMT, SQLCHAR*, SQLSMALLINT, SQLSMALLINT*);
SQLRETURN SQLNumResultCols(SQLHSTMT, SQLSMALLINT*);
SQLRETURN SQLPrepare(SQLHSTMT, SQLCHAR*, SQLINTEGER);
SQLRETURN SQLRowCount(SQLHSTMT, SQLLEN*);
SQLRETURN SQLSetCursorName(SQLHSTMT, SQLCHAR*, SQLSMALLINT);
SQLRETURN SQLTransact(SQLHENV, SQLHDBC, SQLUSMALLINT);
SQLRETURN SQLColumns(SQLHSTMT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT);
SQLRETURN SQLGetData(SQLHSTMT, SQLUSMALLINT, SQLSMALLINT, SQLPOINTER, SQLLEN, SQLLEN*);
SQLRETURN SQLGetFunctions(SQLHDBC, SQLUSMALLINT, SQLUSMALLINT*);
SQLRETURN SQLGetInfo(SQLHDBC, SQLUSMALLINT, SQLPOINTER, SQLSMALLINT, SQLSMALLINT*);
SQLRETURN SQLGetTypeInfo(SQLHSTMT, SQLSMALLINT);
SQLRETURN SQLParamData(SQLHSTMT, SQLPOINTER*);
SQLRETURN SQLPutData(SQLHSTMT, SQLPOINTER, SQLLEN);
SQLRETURN SQLSpecialColumns(SQLHSTMT, SQLUSMALLINT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT, SQLUSMALLINT, SQLUSMALLINT);
SQLRETURN SQLStatistics(SQLHSTMT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT, SQLUSMALLINT, SQLUSMALLINT);
SQLRETURN SQLTables(SQLHSTMT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT, SQLCHAR*, SQLSMALLINT);
SQLRETURN SQLDataSources(SQLHENV, SQLUSMALLINT, SQLCHAR*, SQLSMALLINT, SQLSMALLINT*, SQLCHAR*, SQLSMALLINT, SQLSMALLINT*);
static if (ODBCVER >= 0x0300) {
SQLRETURN SQLAllocHandle(SQLSMALLINT, SQLHANDLE, SQLHANDLE*);
SQLRETURN SQLBindParam(SQLHSTMT, SQLUSMALLINT, SQLSMALLINT, SQLSMALLINT, SQLULEN, SQLSMALLINT, SQLPOINTER, SQLLEN*);
SQLRETURN SQLCloseCursor(SQLHSTMT);
SQLRETURN SQLColAttribute(SQLHSTMT, SQLUSMALLINT, SQLUSMALLINT, SQLPOINTER, SQLSMALLINT, SQLSMALLINT*, SQLPOINTER);
SQLRETURN SQLCopyDesc(SQLHDESC, SQLHDESC);
SQLRETURN SQLEndTran(SQLSMALLINT, SQLHANDLE, SQLSMALLINT);
SQLRETURN SQLFetchScroll(SQLHSTMT, SQLSMALLINT, SQLROWOFFSET);
SQLRETURN SQLFreeHandle(SQLSMALLINT, SQLHANDLE);
SQLRETURN SQLGetConnectAttr(SQLHDBC, SQLINTEGER, SQLPOINTER, SQLINTEGER, SQLINTEGER*);
SQLRETURN SQLGetDescField(SQLHDESC, SQLSMALLINT, SQLSMALLINT, SQLPOINTER, SQLINTEGER, SQLINTEGER*);
SQLRETURN SQLGetDescRec(SQLHDESC, SQLSMALLINT, SQLCHAR*, SQLSMALLINT, SQLSMALLINT*,
SQLSMALLINT*, SQLSMALLINT*, SQLLEN*, SQLSMALLINT*, SQLSMALLINT*, SQLSMALLINT*);
SQLRETURN SQLGetDiagField(SQLSMALLINT, SQLHANDLE, SQLSMALLINT, SQLSMALLINT, SQLPOINTER, SQLSMALLINT, SQLSMALLINT*);
SQLRETURN SQLGetDiagRec(SQLSMALLINT, SQLHANDLE, SQLSMALLINT, SQLCHAR*, SQLINTEGER*, SQLCHAR*, SQLSMALLINT, SQLSMALLINT*);
SQLRETURN SQLGetEnvAttr(SQLHENV, SQLINTEGER, SQLPOINTER, SQLINTEGER, SQLINTEGER*);
SQLRETURN SQLGetStmtAttr(SQLHSTMT, SQLINTEGER, SQLPOINTER, SQLINTEGER, SQLINTEGER*);
SQLRETURN SQLSetConnectAttr(SQLHDBC, SQLINTEGER, SQLPOINTER, SQLINTEGER);
SQLRETURN SQLSetDescField(SQLHDESC, SQLSMALLINT, SQLSMALLINT, SQLPOINTER, SQLINTEGER);
SQLRETURN SQLSetDescRec(SQLHDESC, SQLSMALLINT, SQLSMALLINT, SQLSMALLINT, SQLLEN, SQLSMALLINT,
SQLSMALLINT, SQLPOINTER, SQLLEN*, SQLLEN*);
SQLRETURN SQLSetEnvAttr(SQLHENV, SQLINTEGER, SQLPOINTER, SQLINTEGER);
SQLRETURN SQLSetStmtAttr(SQLHSTMT, SQLINTEGER, SQLPOINTER, SQLINTEGER);
}/* (ODBCVER >= 0x0300) */
}
|
D
|
module arrayfire.statistics;
import arrayfire.defines;
extern ( C ) {
/+
C Interface for mean
\param[out] output will contain the mean of the input array along dimension \p dim
\param[in] input is the input array
\param[in] dim the dimension along which the mean is extracted
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_mean
+/
af_err af_mean(af_array *output, const af_array input, const dim_t dim);
/+
C Interface for mean of weighted input array
\param[out] output will contain the mean of the input array along dimension \p dim
\param[in] input is the input array
\param[in] weights is used to scale input \p input before getting mean
\param[in] dim the dimension along which the mean is extracted
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_mean
+/
af_err af_mean_weighted(af_array *output, const af_array input, const af_array weights, const dim_t dim);
/+
C Interface for variance
\param[out] output will contain the variance of the input array along dimension \p dim
\param[in] input is the input array
\param[in] isbiased is boolean denoting Population variance (false) or Sample Variance (true)
\param[in] dim the dimension along which the variance is extracted
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_var
+/
af_err af_var(af_array *output, const af_array input, const bool isbiased, const dim_t dim);
/+
C Interface for variance of weighted input array
\param[out] output will contain the variance of the input array along dimension \p dim
\param[in] input is the input array
\param[in] weights is used to scale input \p input before getting variance
\param[in] dim the dimension along which the variance is extracted
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_var
+/
af_err af_var_weighted(af_array *output, const af_array input, const af_array weights, const dim_t dim);
/+
C Interface for standard deviation
\param[out] output will contain the standard deviation of the input array along dimension \p dim
\param[in] input is the input array
\param[in] dim the dimension along which the standard deviation is extracted
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_stdev
+/
af_err af_stdev(af_array *output, const af_array input, const dim_t dim);
/+
C Interface for covariance
\param[out] output will the covariance of the input arrays
\param[in] X is the first input array
\param[in] Y is the second input array
\param[in] isbiased is boolean specifying if biased estimate should be taken (default: false)
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_cov
+/
af_err af_cov(af_array* output, const af_array X, const af_array Y, const bool isbiased);
/+
C Interface for median
\param[out] output will contain the median of the input array along dimension \p dim
\param[in] input is the input array
\param[in] dim the dimension along which the median is extracted
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_median
+/
af_err af_median(af_array* output, const af_array input, const dim_t dim);
/+
C Interface for mean of all elements
\param[out] realpart will contain the real part of mean of the entire input array
\param[out] imag will contain the imaginary part of mean of the entire input array
\param[in] input is the input array
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_mean
+/
af_err af_mean_all(double *realpart, double *imag, const af_array input);
/+
C Interface for mean of all elements in weighted input
\param[out] realpart will contain the real part of mean of the entire weighted input array
\param[out] imag will contain the imaginary part of mean of the entire weighted input array
\param[in] input is the input array
\param[in] weights is used to scale input \p input before getting mean
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_mean
+/
af_err af_mean_all_weighted(double *realpart, double *imag, const af_array input, const af_array weights);
/+
C Interface for variance of all elements
\param[out] realVal will contain the real part of variance of the entire input array
\param[out] imagVal will contain the imaginary part of variance of the entire input array
\param[in] input is the input array
\param[in] isbiased is boolean denoting Population variance (false) or Sample Variance (true)
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_var
+/
af_err af_var_all(double *realVal, double *imagVal, const af_array input, const bool isbiased);
/+
C Interface for variance of all elements in weighted input
\param[out] realVal will contain the real part of variance of the entire weighted input array
\param[out] imagVal will contain the imaginary part of variance of the entire weighted input array
\param[in] input is the input array
\param[in] weights is used to scale input \p input before getting variance
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_var
+/
af_err af_var_all_weighted(double *realVal, double *imagVal, const af_array input, const af_array weights);
/+
C Interface for standard deviation of all elements
\param[out] realpart will contain the real part of standard deviation of the entire input array
\param[out] imag will contain the imaginary part of standard deviation of the entire input array
\param[in] input is the input array
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_stdev
+/
af_err af_stdev_all(double *realpart, double *imag, const af_array input);
/+
C Interface for median
\param[out] realVal will contain the real part of median of the entire input array
\param[out] imagVal will contain the imaginary part of median of the entire input array
\param[in] input is the input array
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\ingroup stat_func_median
+/
af_err af_median_all(double *realVal, double *imagVal, const af_array input);
/+
C Interface for correlation coefficient
\param[out] realVal will contain the real part of correlation coefficient of the inputs
\param[out] imagVal will contain the imaginary part of correlation coefficient of the inputs
\param[in] X is the first input array
\param[in] Y is the second input array
\return \ref AF_SUCCESS if the operation is successful,
otherwise an appropriate error code is returned.
\note There are many ways correlation coefficient is calculated. This algorithm returns Pearson product-moment correlation coefficient.
\ingroup stat_func_corrcoef
+/
af_err af_corrcoef(double *realVal, double *imagVal, const af_array X, const af_array Y);
}
|
D
|
/*
* Copyright 2015-2018 HuntLabs.cn
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
module hunt.sql.dialect.mysql.ast.MySqlUseIndexHint;
import hunt.sql.dialect.mysql.visitor.MySqlASTVisitor;
import hunt.sql.dialect.mysql.ast.MySqlIndexHintImpl;
import hunt.sql.ast.SQLObject;
import hunt.collection;
import hunt.sql.ast.SQLName;
public class MySqlUseIndexHint : MySqlIndexHintImpl {
alias accept0 = MySqlIndexHintImpl.accept0;
override
public void accept0(MySqlASTVisitor visitor) {
if (visitor.visit(this)) {
acceptChild!SQLName(visitor, getIndexList());
}
visitor.endVisit(this);
}
override public MySqlUseIndexHint clone() {
MySqlUseIndexHint x = new MySqlUseIndexHint();
cloneTo(x);
return x;
}
}
|
D
|
module analysis;
import std.stdio;
import std.uni : toUpper;
import std.conv : to;
import core.sync.mutex : Mutex;
import dhtslib;
import dparasail;
import readstatus;
import util;
import std.stdio;
struct Align_Result
{
string alignment;
const(char)[] bq;
string stem_loop;
string stem_loop_rc;
}
/// Align the sofclip to the read region or the mate region
Align_Result align_clip(bool left)(IndexedFastaFile fai, Mutex mfai, Parasail * p,
SAMRecord rec, ReadStatus * status, uint clip_len,
int artifact_floor_length, int align_buffer_size)
{
string q_seq;
string ref_seq;
float cutoff;
long start, end;
// parasail_query res;
Align_Result alignment;
//if clip too short
if (clip_len <= artifact_floor_length)
{
return alignment;
}
//if left sofclip ? remove from left : else remove from right
q_seq = reverse_complement_sam_record(rec).idup;
//set sw score cutoff
cutoff = clip_len * 0.9 * 2;
start = rec.pos() - align_buffer_size;
//if start<0: start is zero
if (start < 0)
{
start = 0;
}
end = rec.pos() + rec.cigar.alignedLength() + align_buffer_size;
//if end>length of chrom: end is length of chrom
if (end > rec.h.targetLength(rec.tid))
{
end = rec.h.targetLength(rec.tid);
}
mfai.lock;
//get read region seq
ref_seq = fai.fetchSequence(rec.h.targetName(rec.tid).idup, ZBHO(start, end)).toUpper;
mfai.unlock;
//align
auto res = p.sw_striped(q_seq, ref_seq);
// ClipStatus clip = left ? status.left : status.right;
if ((res.cigar.length == 0) | (res.cigar.length > 10))
return alignment;
static if (left)
{
if (cast(Ops)res.cigar[$ - 1].op == Ops.EQUAL)
{
if (res.score > cutoff)
{
auto clips = parse_clips(Cigar(cast(CigarOp[])res.cigar[]));
if (clips[1].length != 0 || clips[0].length == 0)
return alignment;
status.art_left = true;
status.mate_left = false;
alignment.alignment = rec.h.targetName(rec.tid).idup ~ "," ~ (start + res.position)
.to!string ~ "," ~ res.cigar.toString;
auto overlap = start + res.position >= rec.pos - clip_len
? start + res.position - (rec.pos - clip_len) : 0;
auto plen = (rec.length - clips[0].length) + (overlap);
plen = plen > rec.length ? rec.length : plen;
alignment.stem_loop = rec.sequence[0 .. plen].idup;
alignment.stem_loop_rc = q_seq[$ - plen .. $];
alignment.bq = rec.qscoresPhredScaled[0 .. plen];
}
}
}
else
{
if (cast(Ops)res.cigar[0].op == Ops.EQUAL)
{
if (res.score > cutoff)
{
auto clips = parse_clips(Cigar(cast(CigarOp[])res.cigar[]));
if (clips[0].length != 0 || clips[1].length == 0)
return alignment;
status.art_right = true;
status.mate_right = false;
alignment.alignment = rec.h.targetName(rec.tid).idup ~ "," ~ (start + res.position)
.to!string ~ "," ~ res.cigar.toString;
auto overlap = rec.pos + rec.cigar.alignedLength + clip_len >= start
+ res.position + res.cigar.alignedLength
? (rec.pos + rec.cigar.alignedLength + clip_len) - (
start + res.position + res.cigar.alignedLength) : 0;
auto plen = (rec.length - clips[1].length) + (overlap);
plen = plen > rec.length ? rec.length : plen;
alignment.stem_loop = rec.sequence[$ - plen .. $].idup;
alignment.stem_loop_rc = q_seq[0 .. plen];
alignment.bq = rec.qscoresPhredScaled[$ - plen .. $];
}
}
}
return alignment;
}
/// Align the sofclip to the read region or the mate region
string self_align(bool left)(SAMHeader bam, Parasail p,
SAMRecord rec, ReadStatus status, uint clip_len)
{
string q_seq;
const(char)[] qual_seq;
string ref_seq;
float cutoff;
int start, end, start_mate, end_mate;
parasail_query res, res_mate;
//if clip too short
if (clip_len <= artifact_floor_length)
{
return "";
}
//if left sofclip ? remove from left : else remove from right
q_seq = reverse_complement_sam_record(rec).idup;
//set sw score cutoff
cutoff = clip_len * 0.9;
//align
res = p.sw_striped(q_seq, rec.sequence.idup);
// ClipStatus clip = left ? status.left : status.right;
string align_string;
if ((res.cigar.ops.length == 0) | (res.cigar.ops.length > 10))
return "";
static if (left)
{
align_string = rec.queryName.idup ~ "," ~ (res.position).to!string ~ "," ~ res
.cigar.toString;
}
else
{
align_string = rec.queryName.idup ~ "," ~ (res.position).to!string ~ "," ~ res
.cigar.toString;
}
res.close();
return align_string;
}
|
D
|
// EXTRA_SOURCES: extra-files/header1.d
// REQUIRED_ARGS: -o- -H -Hf${RESULTS_DIR}/compilable/header1.di
// PERMUTE_ARGS: -d -dw
// POST_SCRIPT: compilable/extra-files/header-postscript.sh header1
void main() {}
|
D
|
module dlangide.ui.newfile;
import dlangui.core.types;
import dlangui.core.i18n;
import dlangui.platforms.common.platform;
import dlangui.dialogs.dialog;
import dlangui.dialogs.filedlg;
import dlangui.widgets.widget;
import dlangui.widgets.layouts;
import dlangui.widgets.editors;
import dlangui.widgets.controls;
import dlangui.widgets.lists;
import dlangui.dml.parser;
import dlangui.core.stdaction;
import dlangui.core.files;
import dlangide.workspace.project;
import dlangide.workspace.workspace;
import dlangide.ui.commands;
import dlangide.ui.frame;
import std.algorithm : startsWith, endsWith;
import std.array : empty;
import std.file;
import std.path;
class FileCreationResult {
Project project;
string filename;
this(Project project, string filename) {
this.project = project;
this.filename = filename;
}
}
class NewFileDlg : Dialog {
IDEFrame _ide;
Project _project;
ProjectFolder _folder;
string[] _sourcePaths;
this(IDEFrame parent, Project currentProject, ProjectFolder folder) {
super(UIString("New source file"d), parent.window,
DialogFlag.Modal | DialogFlag.Resizable | DialogFlag.Popup, 500, 400);
_ide = parent;
_icon = "dlangui-logo1";
this._project = currentProject;
this._folder = folder;
_location = folder ? folder.filename : currentProject.dir;
_sourcePaths = currentProject.sourcePaths;
if (_sourcePaths.length)
_location = _sourcePaths[0];
if (folder)
_location = folder.filename;
}
/// override to implement creation of dialog controls
override void initialize() {
super.initialize();
initTemplates();
Widget content;
try {
content = parseML(q{
VerticalLayout {
id: vlayout
padding: Rect { 5, 5, 5, 5 }
layoutWidth: fill; layoutHeight: fill
HorizontalLayout {
layoutWidth: fill; layoutHeight: fill
VerticalLayout {
margins: 5
layoutWidth: 50%; layoutHeight: fill
TextWidget { text: "Project template" }
StringListWidget {
id: projectTemplateList
layoutWidth: wrap; layoutHeight: fill
}
}
VerticalLayout {
margins: 5
layoutWidth: 50%; layoutHeight: fill
TextWidget { text: "Template description" }
EditBox {
id: templateDescription; readOnly: true
layoutWidth: fill; layoutHeight: fill
}
}
}
TableLayout {
margins: 5
colCount: 2
layoutWidth: fill; layoutHeight: wrap
TextWidget { text: "Name" }
EditLine { id: edName; text: "newfile"; layoutWidth: fill }
TextWidget { text: "Location" }
DirEditLine { id: edLocation; layoutWidth: fill }
TextWidget { text: "Module name" }
EditLine { id: edModuleName; text: ""; layoutWidth: fill; readOnly: true }
TextWidget { text: "File path" }
EditLine { id: edFilePath; text: ""; layoutWidth: fill; readOnly: true }
}
TextWidget { id: statusText; text: ""; layoutWidth: fill; textColor: #FF0000 }
}
});
} catch (Exception e) {
Log.e("Exceptin while parsing DML", e);
throw e;
}
_projectTemplateList = content.childById!StringListWidget("projectTemplateList");
_templateDescription = content.childById!EditBox("templateDescription");
_edFileName = content.childById!EditLine("edName");
_edFilePath = content.childById!EditLine("edFilePath");
_edModuleName = content.childById!EditLine("edModuleName");
_edLocation = content.childById!DirEditLine("edLocation");
_edLocation.text = toUTF32(_location);
_statusText = content.childById!TextWidget("statusText");
_edLocation.filetypeIcons[".d"] = "text-d";
_edLocation.filetypeIcons["dub.json"] = "project-d";
_edLocation.filetypeIcons["package.json"] = "project-d";
_edLocation.filetypeIcons[".dlangidews"] = "project-development";
_edLocation.addFilter(FileFilterEntry(UIString("DlangIDE files"d), "*.dlangidews;*.d;*.dd;*.di;*.ddoc;*.dh;*.json;*.xml;*.ini"));
_edLocation.caption = "Select directory"d;
// fill templates
dstring[] names;
foreach(t; _templates)
names ~= t.name;
_projectTemplateList.items = names;
_projectTemplateList.selectedItemIndex = 0;
templateSelected(0);
// listeners
_edLocation.contentChange = delegate (EditableContent source) {
_location = toUTF8(source.text);
validate();
};
_edFileName.contentChange = delegate (EditableContent source) {
_fileName = toUTF8(source.text);
validate();
};
_projectTemplateList.itemSelected = delegate (Widget source, int itemIndex) {
templateSelected(itemIndex);
return true;
};
_projectTemplateList.itemClick = delegate (Widget source, int itemIndex) {
templateSelected(itemIndex);
return true;
};
addChild(content);
addChild(createButtonsPanel([ACTION_FILE_NEW_SOURCE_FILE, ACTION_CANCEL], 0, 0));
}
StringListWidget _projectTemplateList;
EditBox _templateDescription;
DirEditLine _edLocation;
EditLine _edFileName;
EditLine _edModuleName;
EditLine _edFilePath;
TextWidget _statusText;
string _fileName = "newfile";
string _location;
string _moduleName;
string _packageName;
string _fullPathName;
int _currentTemplateIndex = -1;
ProjectTemplate _currentTemplate;
ProjectTemplate[] _templates;
static bool isSubdirOf(string path, string basePath) {
if (path.equal(basePath))
return true;
if (path.length > basePath.length + 1 && path.startsWith(basePath)) {
char ch = path[basePath.length];
return ch == '/' || ch == '\\';
}
return false;
}
bool findSource(string path, ref string sourceFolderPath, ref string relativePath) {
foreach(dir; _sourcePaths) {
if (isSubdirOf(path, dir)) {
sourceFolderPath = dir;
relativePath = path[sourceFolderPath.length .. $];
if (relativePath.length > 0 && (relativePath[0] == '\\' || relativePath[0] == '/'))
relativePath = relativePath[1 .. $];
return true;
}
}
return false;
}
bool setError(dstring msg) {
_statusText.text = msg;
return msg.empty;
}
bool validate() {
string filename = _fileName;
string fullFileName = filename;
if (!_currentTemplate.fileExtension.empty && filename.endsWith(_currentTemplate.fileExtension))
filename = filename[0 .. $ - _currentTemplate.fileExtension.length];
else
fullFileName = fullFileName ~ _currentTemplate.fileExtension;
_fullPathName = buildNormalizedPath(_location, fullFileName);
_edFilePath.text = toUTF32(_fullPathName);
if (!isValidFileName(filename))
return setError("Invalid file name");
if (!exists(_location) || !isDir(_location))
return setError("Location directory does not exist");
if (_currentTemplate.isModule) {
string sourcePath, relativePath;
if (!findSource(_location, sourcePath, relativePath))
return setError("Location is outside of source path");
if (!isValidModuleName(filename))
return setError("Invalid file name");
_moduleName = filename;
char[] buf;
foreach(ch; relativePath) {
if (ch == '/' || ch == '\\')
buf ~= '.';
else
buf ~= ch;
}
_packageName = buf.dup;
string m = !_packageName.empty ? _packageName ~ '.' ~ _moduleName : _moduleName;
_edModuleName.text = toUTF32(m);
_packageName = m;
} else {
string projectPath = _project.dir;
if (!isSubdirOf(_location, projectPath))
return setError("Location is outside of project path");
_edModuleName.text = "";
_moduleName = "";
_packageName = "";
}
return true;
}
private FileCreationResult _result;
bool createItem() {
try {
if (_currentTemplate.isModule) {
string txt = "module " ~ _packageName ~ ";\n\n" ~ _currentTemplate.srccode;
write(_fullPathName, txt);
} else {
write(_fullPathName, _currentTemplate.srccode);
}
} catch (Exception e) {
Log.e("Cannot create file", e);
return setError("Cannot create file");
}
_result = new FileCreationResult(_project, _fullPathName);
return true;
}
override void close(const Action action) {
Action newaction = action.clone();
if (action.id == IDEActions.FileNew) {
if (!validate()) {
window.showMessageBox(UIString("Error"d), UIString("Invalid parameters"));
return;
}
if (!createItem()) {
window.showMessageBox(UIString("Error"d), UIString("Failed to create project item"));
return;
}
newaction.objectParam = _result;
}
super.close(newaction);
}
protected void templateSelected(int index) {
if (_currentTemplateIndex == index)
return;
_currentTemplateIndex = index;
_currentTemplate = _templates[index];
_templateDescription.text = _currentTemplate.description;
//updateDirLayout();
validate();
}
void initTemplates() {
_templates ~= new ProjectTemplate("Empty module"d, "Empty D module file."d, ".d",
"\n", true);
_templates ~= new ProjectTemplate("Text file"d, "Empty text file."d, ".txt",
"\n", true);
_templates ~= new ProjectTemplate("JSON file"d, "Empty json file."d, ".json",
"{\n}\n", true);
}
}
class ProjectTemplate {
dstring name;
dstring description;
string fileExtension;
string srccode;
bool isModule;
this(dstring name, dstring description, string fileExtension, string srccode, bool isModule) {
this.name = name;
this.description = description;
this.fileExtension = fileExtension;
this.srccode = srccode;
this.isModule = isModule;
}
}
|
D
|
/*******************************************************************************
* Copyright (c) 2003, 2007 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
* Port to the D programming language:
* Frank Benoit <benoit@tionex.de>
*******************************************************************************/
module dwtx.draw2d.graph.CompoundDirectedGraphLayout;
import dwt.dwthelper.utils;
import dwtx.draw2d.graph.DirectedGraphLayout;
import dwtx.draw2d.graph.TransposeMetrics;
import dwtx.draw2d.graph.CompoundBreakCycles;
import dwtx.draw2d.graph.RouteEdges;
import dwtx.draw2d.graph.ConvertCompoundGraph;
import dwtx.draw2d.graph.InitialRankSolver;
import dwtx.draw2d.graph.TightSpanningTreeSolver;
import dwtx.draw2d.graph.RankAssignmentSolver;
import dwtx.draw2d.graph.CompoundPopulateRanks;
import dwtx.draw2d.graph.CompoundVerticalPlacement;
import dwtx.draw2d.graph.MinCross;
import dwtx.draw2d.graph.CompoundRankSorter;
import dwtx.draw2d.graph.SortSubgraphs;
import dwtx.draw2d.graph.CompoundHorizontalPlacement;
/**
* Performs a graph layout on a <code>CompoundDirectedGraph</code>. The input format is
* the same as for {@link DirectedGraphLayout}. All nodes, including subgraphs and their
* children, should be added to the {@link DirectedGraph#nodes} field.
* <P>
* The requirements for this algorithm are the same as those of
* <code>DirectedGraphLayout</code>, with the following exceptions:
* <UL>
* <LI>There is an implied edge between a subgraph and each of its member nodes. These
* edges form the containment graph <EM>T</EM>. Thus, the compound directed graph
* <EM>CG</EM> is said to be connected iff Union(<EM>G</EM>, <EM>T</EM>) is connected,
* where G represents the given nodes (including subgraphs) and edges.
*
* <LI>This algorithm will remove any compound cycles found in the input graph
* <em>G</em> by inverting edges according to a heuristic until no more cycles are
* found. A compound cycle is defined as: a cycle comprised of edges from <EM>G</EM>,
* <EM>T</EM>, and <em>T<SUP>-1</SUP></em>, in the form
* (c<SUP>*</SUP>e<SUP>+</SUP>p<SUP>*</SUP>e<SUP>+</SUP>)*, where
* <em>T<SUP>-1</SUP></em> is the backwards graph of <EM>T</EM>, c element of T, e
* element of G, and p element of T<SUP>-1</SUP>.
* </UL>
*
* @author Randy Hudson
* @since 2.1.2
*/
public final class CompoundDirectedGraphLayout : DirectedGraphLayout {
void init() {
steps.add(new TransposeMetrics());
steps.add(new CompoundBreakCycles());
steps.add(new RouteEdges());
steps.add(new ConvertCompoundGraph());
steps.add(new InitialRankSolver());
steps.add(new TightSpanningTreeSolver());
steps.add(new RankAssignmentSolver());
steps.add(new CompoundPopulateRanks());
steps.add(new CompoundVerticalPlacement());
steps.add(new MinCross(new CompoundRankSorter()));
steps.add(new SortSubgraphs());
steps.add(new CompoundHorizontalPlacement());
}
}
|
D
|
/home/zbf/workspace/git/RTAP/target/debug/deps/nom-00f8b8fdffcb82a3.rmeta: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/lib.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/util.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/simple_errors.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/internal.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/traits.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/macros.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/branch.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/sequence.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/multi.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/methods.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/bytes.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/bits.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/character.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/nom.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/whitespace.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/str.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/types.rs
/home/zbf/workspace/git/RTAP/target/debug/deps/libnom-00f8b8fdffcb82a3.rlib: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/lib.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/util.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/simple_errors.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/internal.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/traits.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/macros.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/branch.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/sequence.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/multi.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/methods.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/bytes.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/bits.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/character.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/nom.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/whitespace.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/str.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/types.rs
/home/zbf/workspace/git/RTAP/target/debug/deps/nom-00f8b8fdffcb82a3.d: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/lib.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/util.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/simple_errors.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/internal.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/traits.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/macros.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/branch.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/sequence.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/multi.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/methods.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/bytes.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/bits.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/character.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/nom.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/whitespace.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/str.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/types.rs
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/lib.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/util.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/simple_errors.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/internal.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/traits.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/macros.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/branch.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/sequence.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/multi.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/methods.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/bytes.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/bits.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/character.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/nom.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/whitespace.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/str.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/nom-4.2.3/src/types.rs:
|
D
|
/Users/kimhyewon/Documents/Server/tennis/build/tennis.build/Debug/Console.build/Objects-normal/x86_64/ProgressBar.o : /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Bar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Argument.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Command+Print.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Command.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Group.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Option.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Runnable.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Value.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Ask.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Center.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Confirm.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Options.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Print.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Run.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/ConsoleError.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Stream/FileHandle+Stream.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Stream/Pipe+Stream.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Stream/Stream.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/ConsoleColor+Terminal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/ConsoleStyle+Terminal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/String+ANSI.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/Terminal+Command.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/Terminal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Utilities/Bool+Polymorphic.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Utilities/String+Trim.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Loading/Console+LoadingBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Loading/LoadingBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Progress/Console+ProgressBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Progress/ProgressBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Clear/ConsoleClear.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Color/ConsoleColor.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Style/Console+ConsoleStyle.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Style/ConsoleStyle.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/Polymorphic.framework/Modules/Polymorphic.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule
/Users/kimhyewon/Documents/Server/tennis/build/tennis.build/Debug/Console.build/Objects-normal/x86_64/ProgressBar~partial.swiftmodule : /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Bar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Argument.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Command+Print.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Command.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Group.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Option.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Runnable.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Value.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Ask.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Center.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Confirm.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Options.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Print.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Run.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/ConsoleError.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Stream/FileHandle+Stream.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Stream/Pipe+Stream.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Stream/Stream.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/ConsoleColor+Terminal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/ConsoleStyle+Terminal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/String+ANSI.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/Terminal+Command.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/Terminal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Utilities/Bool+Polymorphic.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Utilities/String+Trim.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Loading/Console+LoadingBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Loading/LoadingBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Progress/Console+ProgressBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Progress/ProgressBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Clear/ConsoleClear.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Color/ConsoleColor.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Style/Console+ConsoleStyle.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Style/ConsoleStyle.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/Polymorphic.framework/Modules/Polymorphic.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule
/Users/kimhyewon/Documents/Server/tennis/build/tennis.build/Debug/Console.build/Objects-normal/x86_64/ProgressBar~partial.swiftdoc : /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Bar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Argument.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Command+Print.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Command.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Group.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Option.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Runnable.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Command/Value.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Ask.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Center.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Confirm.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Options.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Print.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console+Run.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Console.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/ConsoleError.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Stream/FileHandle+Stream.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Stream/Pipe+Stream.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Stream/Stream.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/ConsoleColor+Terminal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/ConsoleStyle+Terminal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/String+ANSI.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/Terminal+Command.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Terminal/Terminal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Utilities/Bool+Polymorphic.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Utilities/String+Trim.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Loading/Console+LoadingBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Loading/LoadingBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Progress/Console+ProgressBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Bar/Progress/ProgressBar.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Clear/ConsoleClear.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Color/ConsoleColor.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Style/Console+ConsoleStyle.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Console-1.0.1/Sources/Console/Console/Style/ConsoleStyle.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/Polymorphic.framework/Modules/Polymorphic.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule
|
D
|
/Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Disposable.o : /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Reactive.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Errors.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Event.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Disposable~partial.swiftmodule : /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Reactive.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Errors.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Event.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Disposable~partial.swiftdoc : /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Reactive.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Errors.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Event.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
|
D
|
/**
*
* THIS FILE IS AUTO-GENERATED BY ./parse_specs.d FOR MCU at90s4434 WITH ARCHITECTURE avr2
*
*/
module avr.specs.specs_at90s4434;
enum __AVR_ARCH__ = 2;
enum __AVR_ASM_ONLY__ = false;
enum __AVR_ENHANCED__ = false;
enum __AVR_HAVE_MUL__ = false;
enum __AVR_HAVE_JMP_CALL__ = false;
enum __AVR_MEGA__ = false;
enum __AVR_HAVE_LPMX__ = false;
enum __AVR_HAVE_MOVW__ = false;
enum __AVR_HAVE_ELPM__ = false;
enum __AVR_HAVE_ELPMX__ = false;
enum __AVR_HAVE_EIJMP_EICALL_ = false;
enum __AVR_2_BYTE_PC__ = true;
enum __AVR_3_BYTE_PC__ = false;
enum __AVR_XMEGA__ = false;
enum __AVR_HAVE_RAMPX__ = false;
enum __AVR_HAVE_RAMPY__ = false;
enum __AVR_HAVE_RAMPZ__ = false;
enum __AVR_HAVE_RAMPD__ = false;
enum __AVR_TINY__ = false;
enum __AVR_PM_BASE_ADDRESS__ = 0;
enum __AVR_SFR_OFFSET__ = 32;
enum __AVR_DEVICE_NAME__ = "at90s4434";
|
D
|
bool[][] g;
bool[] visited;
int N;
int dfs(int v) {
bool all_visited = true;
foreach(i; visited) if(!i) all_visited = false;
if(all_visited) return 1;
int res;
foreach(i; 0..N) {
if(!g[v][i]) continue; // つながってないです
if(visited[i]) continue; // もう通ったよ??通れませんが??
visited[i] = true; // 通ってみよう
res += dfs(i); // 次はどっちかな
visited[i] = false; // 〜ここを通らない世界線を夢見て〜
}
return res;
}
void main() {
auto ip = readAs!(int[]), M = ip[1];
N = ip[0];
g = new bool[][](N, N);
visited = new bool[](N);
foreach(i; 0..M) {
auto ip2 = readAs!(int[]), a = ip2[0], b = ip2[1];
g[a-1][b-1] = g[b-1][a-1] = true;
}
visited[0] = true;
dfs(0).writeln; // 頂点1が始点です
}
// ===================================
import std.stdio;
import std.string;
import std.conv;
import std.algorithm;
import std.range;
import std.traits;
import std.math;
import std.container;
import std.bigint;
import std.numeric;
import std.conv;
import std.typecons;
import std.uni;
import std.ascii;
import std.bitmanip;
import core.bitop;
T readAs(T)() if (isBasicType!T) {
return readln.chomp.to!T;
}
T readAs(T)() if (isArray!T) {
return readln.split.to!T;
}
T[][] readMatrix(T)(uint height, uint width) if (!isSomeChar!T) {
auto res = new T[][](height, width);
foreach(i; 0..height) {
res[i] = readAs!(T[]);
}
return res;
}
T[][] readMatrix(T)(uint height, uint width) if (isSomeChar!T) {
auto res = new T[][](height, width);
foreach(i; 0..height) {
auto s = rs;
foreach(j; 0..width) res[i][j] = s[j].to!T;
}
return res;
}
int ri() {
return readAs!int;
}
double rd() {
return readAs!double;
}
string rs() {
return readln.chomp;
}
|
D
|
/*
TEST_OUTPUT:
---
tuple((A), (B))
tuple((A), (B), 0)
tuple((A), (B), (A))
tuple((A), (B), (A), (B))
tuple((A), (B), (A), (B))
tuple((A), (B), (A), (B), (A), (B), (A), (B))
tuple((Attr))
---
*/
// Issue 19728
enum A; enum B; enum Dummy = 0;
alias Seq(T...) = T;
@Seq!(A,B) struct Foo1 {}
@Seq!(A,B, Dummy) struct Foo2 {}
@Seq!(A,B,A) struct Foo3 {}
@Seq!(Seq!(A,B,A,B)) struct Foo4 {}
@Seq!(A,Seq!(B,A),B) struct Foo5 {}
@Seq!(A,Seq!(B,A),B) @Seq!(A,B,A,B) struct Foo6 {}
pragma(msg, __traits(getAttributes, Foo1));
pragma(msg, __traits(getAttributes, Foo2));
pragma(msg, __traits(getAttributes, Foo3));
pragma(msg, __traits(getAttributes, Foo4));
pragma(msg, __traits(getAttributes, Foo5));
pragma(msg, __traits(getAttributes, Foo6));
struct S(T...) {}
static assert(is( S!(A,B) == S!(__traits(getAttributes, Foo1))));
static assert(is( S!(A,B,Dummy) == S!(__traits(getAttributes, Foo2))));
static assert(is( S!(A,B,A) == S!(__traits(getAttributes, Foo3))));
static assert(is( S!(A,B,A,B) == S!(__traits(getAttributes, Foo4))));
static assert(is( S!(A,B,A,B) == S!(__traits(getAttributes, Foo5))));
static assert(is(S!(A,B,A,B,A,B,A,B) == S!(__traits(getAttributes, Foo6))));
// Issue 20093
mixin template MakeProperty(Attributes...) {
@(Attributes) void bug() {}
}
struct Attr { }
struct Test {
mixin MakeProperty!(Attr);
}
pragma(msg, __traits(getAttributes, Test.bug));
|
D
|
instance BAU_912_Jeremiah(Npc_Default)
{
name[0] = "Jeremiasz";
npcType = npctype_main;
guild = GIL_BAU;
level = 7;
voice = 4;
id = 912;
attribute[ATR_STRENGTH] = 35;
attribute[ATR_DEXTERITY] = 13;
attribute[ATR_MANA_MAX] = 0;
attribute[ATR_MANA] = 0;
attribute[ATR_HITPOINTS_MAX] = 124;
attribute[ATR_HITPOINTS] = 124;
Mdl_SetVisual(self,"HUMANS.MDS");
Mdl_ApplyOverlayMds(self,"Humans_Tired.mds");
Mdl_SetVisualBody(self,"hum_body_Naked0",3,1,"Hum_Head_Bald",80,2,-1);
B_Scale(self);
Mdl_SetModelFatness(self,0);
fight_tactic = FAI_HUMAN_COWARD;
Npc_SetTalentSkill(self,NPC_TALENT_1H,1);
CreateInvItems(self,ItFoRice,7);
CreateInvItem(self,ItMi_Alchemy_Alcohol_01);
CreateInvItem(self,ItMi_Stuff_Cup_01);
EquipItem(self,ItMw_1H_Sword_Short_01);
CreateInvItems(self,ItMiNugget,15);
CreateInvItems(self,ItFoBooze,5);
daily_routine = Rtn_start_912;
};
func void Rtn_start_912()
{
TA_Sleep(22,0,8,0,"NC_TAVERN_BACKROOM05");
TA_PotionAlchemy(8,0,22,0,"NC_TAVERN_BACKROOM01");
};
|
D
|
a building having a circular plan and a dome
a large circular room
|
D
|
/*******************************************************************************
* Copyright (c) 2007, 2008 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
*
* Port to the D programming language:
* Jacob Carlborg <doob@me.com>
*******************************************************************************/
module dwt.internal.cocoa.SWTSecureTextField;
import dwt.dwthelper.utils;
import dwt.internal.cocoa.NSSecureTextField;
public class SWTSecureTextField : NSSecureTextField {
}
|
D
|
/*
* Copyright (c) 2012-2020 The ANTLR Project. All rights reserved.
* Use of this file is governed by the BSD 3-clause license that
* can be found in the LICENSE.txt file in the project root.
*/
module antlr.v4.runtime.atn.EpsilonTransition;
import antlr.v4.runtime.atn.ATNState;
import antlr.v4.runtime.atn.Transition;
import antlr.v4.runtime.atn.TransitionStates;
/**
* Special Transition
*/
class EpsilonTransition : Transition
{
/**
* @return the rule index of a precedence rule for which this transition is
* returning from, where the precedence value is 0; otherwise, -1.
*
* @see ATNConfig#isPrecedenceFilterSuppressed()
* @see ParserATNSimulator#applyPrecedenceFilter(ATNConfigSet)
* @since 4.4.1
* @uml
* @read
* @final
*/
private int outermostPrecedenceReturn_;
public this(ATNState target)
{
this(target, -1);
}
public this(ATNState target, int outermostPrecedenceReturn)
{
super(target);
this.outermostPrecedenceReturn_ = outermostPrecedenceReturn;
}
/**
* Only for unittest required.
*/
public this()
{
}
/**
* @uml
* @override
*/
public override int getSerializationType()
{
return TransitionStates.EPSILON;
}
/**
* @uml
* @override
*/
public override bool isEpsilon()
{
return true;
}
/**
* @uml
* @override
*/
public override bool matches(int symbol, int minVocabSymbol, int maxVocabSymbol)
{
return false;
}
/**
* @uml
* @override
*/
public override string toString()
{
return "epsilon";
}
public final int outermostPrecedenceReturn()
{
return this.outermostPrecedenceReturn_;
}
}
|
D
|
the group that gathers together for a particular occasion
a part of a road that has been widened to allow cars to pass or park
a short stretch of railroad track used to store rolling stock or enable trains on the same line to pass
what is produced in a given time period
a set of clothing (with accessories
attendance for a particular event or purpose (as to vote in an election
(ballet) the outward rotation of a dancer's leg from the hip
|
D
|
a card game for 2 players
|
D
|
/home/zbf/workspace/git/RTAP/target/debug/deps/getrandom-b265380c21d676df.rmeta: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/lib.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/error.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/util.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/use_file.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/util_libc.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/error_impls.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/linux_android.rs
/home/zbf/workspace/git/RTAP/target/debug/deps/libgetrandom-b265380c21d676df.rlib: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/lib.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/error.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/util.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/use_file.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/util_libc.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/error_impls.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/linux_android.rs
/home/zbf/workspace/git/RTAP/target/debug/deps/getrandom-b265380c21d676df.d: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/lib.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/error.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/util.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/use_file.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/util_libc.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/error_impls.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/linux_android.rs
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/lib.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/error.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/util.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/use_file.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/util_libc.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/error_impls.rs:
/home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/getrandom-0.1.12/src/linux_android.rs:
|
D
|
/Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/WKInterfaceImage+Kingfisher.o : /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Image.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageProgressive.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/AVAssetImageDataProvider.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/WKInterfaceImage+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/NSButton+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/NSTextAttachment+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Result.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Box.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RetryStrategy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMIDI.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMedia.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/simd.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/Accelerate.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/AVFoundation.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/CoreAudio.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/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Kingfisher.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.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.6.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreAudioTypes.framework/Headers/CoreAudioTypes.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.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.6.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AVKit.framework/Headers/AVKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/WKInterfaceImage+Kingfisher~partial.swiftmodule : /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Image.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageProgressive.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/AVAssetImageDataProvider.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/WKInterfaceImage+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/NSButton+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/NSTextAttachment+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Result.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Box.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RetryStrategy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMIDI.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMedia.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/simd.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/Accelerate.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/AVFoundation.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/CoreAudio.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/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Kingfisher.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.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.6.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreAudioTypes.framework/Headers/CoreAudioTypes.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.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.6.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AVKit.framework/Headers/AVKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/WKInterfaceImage+Kingfisher~partial.swiftdoc : /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Image.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageProgressive.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/AVAssetImageDataProvider.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/WKInterfaceImage+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/NSButton+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/NSTextAttachment+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Result.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Box.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RetryStrategy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMIDI.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMedia.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/simd.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/Accelerate.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/AVFoundation.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/CoreAudio.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/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Kingfisher.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.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.6.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreAudioTypes.framework/Headers/CoreAudioTypes.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.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.6.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AVKit.framework/Headers/AVKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/WKInterfaceImage+Kingfisher~partial.swiftsourceinfo : /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Image.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageProgressive.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/ImageSource/AVAssetImageDataProvider.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/WKInterfaceImage+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/NSButton+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/NSTextAttachment+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Result.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Utility/Box.swift /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Networking/RetryStrategy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMIDI.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreMedia.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/simd.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/Accelerate.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/AVFoundation.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/CoreAudio.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/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/ozgun/Desktop/IOSCase/Pods/Kingfisher/Sources/Kingfisher.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.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.6.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreAudioTypes.framework/Headers/CoreAudioTypes.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.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.6.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AVKit.framework/Headers/AVKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
instance Mod_7803_TPL_GorNaKosh_OM (Npc_Default)
{
//-------- primary data --------
name = "Na Kosh";
npctype = npctype_Main;
guild = GIL_OUT;
level = 17;
flags = 0;
voice = 0;
id = 7803;
//-------- abilities --------
B_SetAttributesToChapter (self, 5);
//-------- visuals --------
// animations
Mdl_SetVisual (self,"HUMANS.MDS");
Mdl_ApplyOverlayMds (self,"Humans_Mage.mds");
// body mesh ,bdytex,skin,head mesh ,64headtex,teethtex,ruestung
Mdl_SetVisualBody (self,"hum_body_Naked0", 1, 1 ,"Hum_Head_Psionic", 20 , 1, NOV_ARMOR_L);
Mdl_SetModelFatness(self,-1);
fight_tactic = FAI_HUMAN_STRONG;
//-------- Talente --------
B_SetFightSkills (self, 65);
//-------- inventory --------
//EquipItem (self, ItMw_2H_Sword_Light_02);
CreateInvItems (self, ItMi_Joint, 10);
//-------------Daily Routine-------------
daily_routine = Rtn_start_7803;
};
FUNC VOID Rtn_Start_7803 ()
{
TA_Sit_Chair (00,00,12,00,"OM_207");
TA_Sit_Chair (12,00,24,00,"OM_207");
};
func void Rtn_Tot_7803 ()
{
TA_Stand_Drinking (00,00,12,00,"OCC_BARONS_DANCE2");
TA_Stand_Drinking (12,00,24,00,"OCC_BARONS_DANCE2");
};
|
D
|
module wx.KeyEvent;
public import wx.common;
public import wx.Event;
//! \cond EXTERN
static extern (C) IntPtr wxKeyEvent_ctor(int type);
static extern (C) bool wxKeyEvent_ControlDown(IntPtr self);
static extern (C) bool wxKeyEvent_ShiftDown(IntPtr self);
static extern (C) bool wxKeyEvent_AltDown(IntPtr self);
static extern (C) bool wxKeyEvent_MetaDown(IntPtr self);
static extern (C) uint wxKeyEvent_GetRawKeyCode(IntPtr self);
static extern (C) int wxKeyEvent_GetKeyCode(IntPtr self);
static extern (C) uint wxKeyEvent_GetRawKeyFlags(IntPtr self);
static extern (C) bool wxKeyEvent_HasModifiers(IntPtr self);
static extern (C) void wxKeyEvent_GetPosition(IntPtr self, inout Point pt);
static extern (C) int wxKeyEvent_GetX(IntPtr self);
static extern (C) int wxKeyEvent_GetY(IntPtr self);
static extern (C) bool wxKeyEvent_CmdDown(IntPtr self);
//! \endcond
//-----------------------------------------------------------------------------
alias KeyEvent wxKeyEvent;
public class KeyEvent : Event
{
public this(IntPtr wxobj) ;
public this(EventType type = wxEVT_NULL);
public bool ControlDown();
public bool MetaDown() ;
public bool ShiftDown() ;
public bool AltDown();
public int KeyCode() ;
public int RawKeyCode();
public int RawKeyFlags() ;
public bool HasModifiers();
public Point Position() ;
public int X() ;
public int Y() ;
public bool CmdDown() ;
private static Event New(IntPtr obj);
static this()
{
AddEventType(wxEVT_KEY_DOWN, &KeyEvent.New);
AddEventType(wxEVT_KEY_UP, &KeyEvent.New);
AddEventType(wxEVT_CHAR, &KeyEvent.New);
AddEventType(wxEVT_CHAR_HOOK, &KeyEvent.New);
}
}
|
D
|
instance SEK_8046_BALAM(Npc_Default)
{
name[0] = "Балам";
guild = GIL_SEK;
id = 8046;
voice = 13;
flags = 0;
npcType = npctype_main;
B_SetAttributesToChapter(self,4);
level = 1;
fight_tactic = FAI_HUMAN_NORMAL;
EquipItem(self,ItMw_Steinbrecher);
B_CreateAmbientInv(self);
B_SetNpcVisual(self,MALE,"Hum_Head_Psionic",FACE_N_SEKTANT_4,BodyTex_N,itar_slp_l);
Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds");
B_GiveNpcTalents(self);
B_SetFightSkills(self,60);
daily_routine = rtn_start_8046;
};
func void rtn_start_8046()
{
TA_Sit_Campfire(8,0,21,0,"NW_FOREST_PATH_PSIGROUP2_01");
TA_Stand_ArmsCrossed(21,0,8,0,"NW_FOREST_PATH_PSIGROUP2_01_N");
};
|
D
|
/++
This module contans extern C++ wrappers for $(MREF mir, numeric).
+/
module mir.cpp_export.numeric;
import mir.numeric: findRootImpl, mir_find_root_result;
private alias CFunction(T) = extern(C++) T function(scope const(void)* ctx, T) @safe pure nothrow @nogc;
private alias CTolerance(T) = extern(C++) bool function(scope const(void)* ctx, T, T) @safe pure nothrow @nogc;
export extern(C++) @safe pure nothrow @nogc:
/// Wrapper for $(REF_ALTTEXT $(TT findRoot), findRoot, mir, numeric)$(NBSP)
mir_find_root_result!float mir_find_root(
float ax,
float bx,
float fax,
float fbx,
float lowerBound,
float upperBound,
uint maxIterations,
uint steps,
scope CFunction!float f,
scope const(void)* f_ctx,
scope CTolerance!float tolerance,
scope const(void)* tolerance_ctx,
)
{
pragma(inline, false);
if (tolerance is null)
return findRootImpl(ax, bx, fax, fbx, lowerBound, upperBound, maxIterations, steps, (float x) => f(f_ctx, x), null);
else
return findRootImpl(ax, bx, fax, fbx, lowerBound, upperBound, maxIterations, steps, (float x) => f(f_ctx, x), (float a, float b) => tolerance(tolerance_ctx, a, b) != 0);
}
/// ditto
mir_find_root_result!double mir_find_root(
double ax,
double bx,
double fax,
double fbx,
double lowerBound,
double upperBound,
uint maxIterations,
uint steps,
scope CFunction!double f,
scope const(void)* f_ctx,
scope CTolerance!double tolerance,
scope const(void)* tolerance_ctx,
)
{
pragma(inline, false);
if (tolerance is null)
return findRootImpl(ax, bx, fax, fbx, lowerBound, upperBound, maxIterations, steps, (double x) => f(f_ctx, x), null);
else
return findRootImpl(ax, bx, fax, fbx, lowerBound, upperBound, maxIterations, steps, (double x) => f(f_ctx, x), (double a, double b) => tolerance(tolerance_ctx, a, b) != 0);
}
/// ditto
mir_find_root_result!real mir_find_root(
real ax,
real bx,
real fax,
real fbx,
real lowerBound,
real upperBound,
uint maxIterations,
uint steps,
scope CFunction!real f,
scope const(void)* f_ctx,
scope CTolerance!real tolerance,
scope const(void)* tolerance_ctx,
)
{
pragma(inline, false);
if (tolerance is null)
return findRootImpl(ax, bx, fax, fbx, lowerBound, upperBound, maxIterations, steps, (real x) => f(f_ctx, x), null);
else
return findRootImpl(ax, bx, fax, fbx, lowerBound, upperBound, maxIterations, steps, (real x) => f(f_ctx, x), (real a, real b) => tolerance(tolerance_ctx, a, b) != 0);
}
|
D
|
/**
* Written in the D programming language.
* This module provides ELF-specific support for sections with shared libraries.
*
* Copyright: Copyright Martin Nowak 2012-2013.
* License: $(HTTP www.boost.org/LICENSE_1_0.txt, Boost License 1.0).
* Authors: Martin Nowak
* Source: $(DRUNTIMESRC rt/_sections_linux.d)
*/
module rt.sections_elf_shared;
version (CRuntime_Glibc) enum SharedELF = true;
else version (WebAssembly) enum SharedELF = false; // TODO: needs to be WASI
else version (CRuntime_Musl) enum SharedELF = true;
else version (FreeBSD) enum SharedELF = true;
else version (NetBSD) enum SharedELF = true;
else version (DragonFlyBSD) enum SharedELF = true;
else version (CRuntime_UClibc) enum SharedELF = true;
else enum SharedELF = false;
version (OSX) enum SharedDarwin = true;
else enum SharedDarwin = false;
static if (SharedELF || SharedDarwin):
// debug = PRINTF;
import core.memory;
import core.stdc.config;
import core.stdc.stdio;
import core.stdc.stdlib : calloc, exit, free, malloc, EXIT_FAILURE;
import core.stdc.string : strlen;
version (linux)
{
import core.sys.linux.dlfcn;
import core.sys.linux.elf;
import core.sys.linux.link;
}
else version (FreeBSD)
{
import core.sys.freebsd.dlfcn;
import core.sys.freebsd.sys.elf;
import core.sys.freebsd.sys.link_elf;
}
else version (OSX)
{
import core.sys.darwin.dlfcn;
import core.sys.darwin.mach.dyld;
import core.sys.darwin.mach.getsect;
extern(C) intptr_t _dyld_get_image_slide(const mach_header*) nothrow @nogc;
extern(C) mach_header* _dyld_get_image_header_containing_address(const void *addr) nothrow @nogc;
}
else version (NetBSD)
{
import core.sys.netbsd.dlfcn;
import core.sys.netbsd.sys.elf;
import core.sys.netbsd.sys.link_elf;
}
else version (DragonFlyBSD)
{
import core.sys.dragonflybsd.dlfcn;
import core.sys.dragonflybsd.sys.elf;
import core.sys.dragonflybsd.sys.link_elf;
}
else
{
static assert(0, "unimplemented");
}
import core.sys.posix.pthread;
import rt.deh;
import rt.dmain2;
import rt.minfo;
import rt.util.container.array;
import rt.util.container.hashtab;
import rt.util.utility : safeAssert;
alias DSO SectionGroup;
struct DSO
{
static int opApply(scope int delegate(ref DSO) dg)
{
foreach (dso; _loadedDSOs)
{
if (auto res = dg(*dso))
return res;
}
return 0;
}
static int opApplyReverse(scope int delegate(ref DSO) dg)
{
foreach_reverse (dso; _loadedDSOs)
{
if (auto res = dg(*dso))
return res;
}
return 0;
}
@property immutable(ModuleInfo*)[] modules() const nothrow @nogc
{
return _moduleGroup.modules;
}
@property ref inout(ModuleGroup) moduleGroup() inout return nothrow @nogc
{
return _moduleGroup;
}
version (DigitalMars) @property immutable(FuncTable)[] ehTables() const nothrow @nogc
{
return null;
}
@property inout(void[])[] gcRanges() inout nothrow @nogc
{
return _gcRanges[];
}
private:
invariant()
{
safeAssert(_moduleGroup.modules.length > 0, "No modules for DSO.");
version (CRuntime_UClibc) {} else
static if (SharedELF)
{
safeAssert(_tlsMod || !_tlsSize, "Inconsistent TLS fields for DSO.");
}
}
void** _slot;
ModuleGroup _moduleGroup;
Array!(void[]) _gcRanges;
static if (SharedELF)
{
size_t _tlsMod;
size_t _tlsSize;
}
else static if (SharedDarwin)
{
GetTLSAnchor _getTLSAnchor;
}
version (Shared)
{
Array!(void[]) _codeSegments; // array of code segments
Array!(DSO*) _deps; // D libraries needed by this DSO
void* _handle; // corresponding handle
}
// get the TLS range for the executing thread
void[] tlsRange() const nothrow @nogc
{
static if (SharedELF)
{
return getTLSRange(_tlsMod, _tlsSize);
}
else static if (SharedDarwin)
{
auto range = getTLSRange(_getTLSAnchor());
safeAssert(range !is null, "Could not determine TLS range.");
return range;
}
else static assert(0, "unimplemented");
}
}
/****
* Boolean flag set to true while the runtime is initialized.
*/
__gshared bool _isRuntimeInitialized;
version (FreeBSD) private __gshared void* dummy_ref;
version (DragonFlyBSD) private __gshared void* dummy_ref;
version (NetBSD) private __gshared void* dummy_ref;
/****
* Gets called on program startup just before GC is initialized.
*/
void initSections() nothrow @nogc
{
_isRuntimeInitialized = true;
// reference symbol to support weak linkage
version (FreeBSD) dummy_ref = &_d_dso_registry;
version (DragonFlyBSD) dummy_ref = &_d_dso_registry;
version (NetBSD) dummy_ref = &_d_dso_registry;
}
/***
* Gets called on program shutdown just after GC is terminated.
*/
void finiSections() nothrow @nogc
{
_isRuntimeInitialized = false;
}
alias ScanDG = void delegate(void* pbeg, void* pend) nothrow;
version (Shared)
{
/***
* Called once per thread; returns array of thread local storage ranges
*/
Array!(ThreadDSO)* initTLSRanges() @nogc nothrow
{
return &_loadedDSOs();
}
void finiTLSRanges(Array!(ThreadDSO)* tdsos) @nogc nothrow
{
// Nothing to do here. tdsos used to point to the _loadedDSOs instance
// in the dying thread's TLS segment and as such is not valid anymore.
// The memory for the array contents was already reclaimed in
// cleanupLoadedLibraries().
}
void scanTLSRanges(Array!(ThreadDSO)* tdsos, scope ScanDG dg) nothrow
{
foreach (ref tdso; *tdsos)
dg(tdso._tlsRange.ptr, tdso._tlsRange.ptr + tdso._tlsRange.length);
}
size_t sizeOfTLS() nothrow @nogc
{
auto tdsos = initTLSRanges();
size_t sum;
foreach (ref tdso; *tdsos)
sum += tdso._tlsRange.length;
return sum;
}
// interface for core.thread to inherit loaded libraries
void* pinLoadedLibraries() nothrow @nogc
{
auto res = cast(Array!(ThreadDSO)*)calloc(1, Array!(ThreadDSO).sizeof);
res.length = _loadedDSOs.length;
foreach (i, ref tdso; _loadedDSOs)
{
(*res)[i] = tdso;
if (tdso._addCnt)
{
// Increment the dlopen ref for explicitly loaded libraries to pin them.
const success = .dlopen(nameForDSO(tdso._pdso), RTLD_LAZY) !is null;
safeAssert(success, "Failed to increment dlopen ref.");
(*res)[i]._addCnt = 1; // new array takes over the additional ref count
}
}
return res;
}
void unpinLoadedLibraries(void* p) nothrow @nogc
{
auto pary = cast(Array!(ThreadDSO)*)p;
// In case something failed we need to undo the pinning.
foreach (ref tdso; *pary)
{
if (tdso._addCnt)
{
auto handle = tdso._pdso._handle;
safeAssert(handle !is null, "Invalid library handle.");
.dlclose(handle);
}
}
pary.reset();
.free(pary);
}
// Called before TLS ctors are ran, copy over the loaded libraries
// of the parent thread.
void inheritLoadedLibraries(void* p) nothrow @nogc
{
safeAssert(_loadedDSOs.empty, "DSOs have already been registered for this thread.");
_loadedDSOs.swap(*cast(Array!(ThreadDSO)*)p);
.free(p);
foreach (ref dso; _loadedDSOs)
{
// the copied _tlsRange corresponds to parent thread
dso.updateTLSRange();
}
}
// Called after all TLS dtors ran, decrements all remaining dlopen refs.
void cleanupLoadedLibraries() nothrow @nogc
{
foreach (ref tdso; _loadedDSOs)
{
if (tdso._addCnt == 0) continue;
auto handle = tdso._pdso._handle;
safeAssert(handle !is null, "Invalid DSO handle.");
for (; tdso._addCnt > 0; --tdso._addCnt)
.dlclose(handle);
}
// Free the memory for the array contents.
_loadedDSOs.reset();
}
}
else
{
/***
* Called once per thread; returns array of thread local storage ranges
*/
Array!(void[])* initTLSRanges() nothrow @nogc
{
auto rngs = &_tlsRanges();
if (rngs.empty)
{
foreach (ref pdso; _loadedDSOs)
rngs.insertBack(pdso.tlsRange());
}
return rngs;
}
void finiTLSRanges(Array!(void[])* rngs) nothrow @nogc
{
rngs.reset();
}
void scanTLSRanges(Array!(void[])* rngs, scope ScanDG dg) nothrow
{
foreach (rng; *rngs)
dg(rng.ptr, rng.ptr + rng.length);
}
size_t sizeOfTLS() nothrow @nogc
{
auto rngs = initTLSRanges();
size_t sum;
foreach (rng; *rngs)
sum += rng.length;
return sum;
}
}
private:
// start of linked list for ModuleInfo references
version (FreeBSD) deprecated extern (C) __gshared void* _Dmodule_ref;
version (DragonFlyBSD) deprecated extern (C) __gshared void* _Dmodule_ref;
version (NetBSD) deprecated extern (C) __gshared void* _Dmodule_ref;
version (Shared)
{
/*
* Array of thread local DSO metadata for all libraries loaded and
* initialized in this thread.
*
* Note:
* A newly spawned thread will inherit these libraries.
* Note:
* We use an array here to preserve the order of
* initialization. If that became a performance issue, we
* could use a hash table and enumerate the DSOs during
* loading so that the hash table values could be sorted when
* necessary.
*/
struct ThreadDSO
{
DSO* _pdso;
static if (_pdso.sizeof == 8) uint _refCnt, _addCnt;
else static if (_pdso.sizeof == 4) ushort _refCnt, _addCnt;
else static assert(0, "unimplemented");
void[] _tlsRange;
alias _pdso this;
// update the _tlsRange for the executing thread
void updateTLSRange() nothrow @nogc
{
_tlsRange = _pdso.tlsRange();
}
}
@property ref Array!(ThreadDSO) _loadedDSOs() @nogc nothrow { static Array!(ThreadDSO) x; return x; }
//Array!(ThreadDSO) _loadedDSOs;
/*
* Set to true during rt_loadLibrary/rt_unloadLibrary calls.
*/
bool _rtLoading;
/*
* Hash table to map the native handle (as returned by dlopen)
* to the corresponding DSO*, protected by a mutex.
*/
__gshared pthread_mutex_t _handleToDSOMutex;
@property ref HashTab!(void*, DSO*) _handleToDSO() @nogc nothrow { __gshared HashTab!(void*, DSO*) x; return x; }
//__gshared HashTab!(void*, DSO*) _handleToDSO;
}
else
{
/*
* Static DSOs loaded by the runtime linker. This includes the
* executable. These can't be unloaded.
*/
@property ref Array!(DSO*) _loadedDSOs() @nogc nothrow { __gshared Array!(DSO*) x; return x; }
//__gshared Array!(DSO*) _loadedDSOs;
/*
* Thread local array that contains TLS memory ranges for each
* library initialized in this thread.
*/
@property ref Array!(void[]) _tlsRanges() @nogc nothrow { static Array!(void[]) x; return x; }
//Array!(void[]) _tlsRanges;
enum _rtLoading = false;
}
///////////////////////////////////////////////////////////////////////////////
// Compiler to runtime interface.
///////////////////////////////////////////////////////////////////////////////
version (OSX)
private alias ImageHeader = mach_header*;
else
private alias ImageHeader = dl_phdr_info;
extern(C) alias GetTLSAnchor = void* function() nothrow @nogc;
/*
* This data structure is generated by the compiler, and then passed to
* _d_dso_registry().
*/
struct CompilerDSOData
{
size_t _version; // currently 1
void** _slot; // can be used to store runtime data
immutable(object.ModuleInfo*)* _minfo_beg, _minfo_end; // array of modules in this object file
static if (SharedDarwin) GetTLSAnchor _getTLSAnchor;
}
T[] toRange(T)(T* beg, T* end) { return beg[0 .. end - beg]; }
/* For each shared library and executable, the compiler generates code that
* sets up CompilerDSOData and calls _d_dso_registry().
* A pointer to that code is inserted into both the .init_array and .fini_array
* segment so it gets called by the loader on startup and shutdown.
*/
extern(C) void _d_dso_registry(void* arg)
{
auto data = cast(CompilerDSOData*)arg;
// only one supported currently
safeAssert(data._version >= 1, "Incompatible compiler-generated DSO data version.");
// no backlink => register
if (*data._slot is null)
{
immutable firstDSO = _loadedDSOs.empty;
if (firstDSO) initLocks();
DSO* pdso = cast(DSO*).calloc(1, DSO.sizeof);
assert(typeid(DSO).initializer().ptr is null);
pdso._slot = data._slot;
*data._slot = pdso; // store backlink in library record
version (LDC)
{
auto minfoBeg = data._minfo_beg;
while (minfoBeg < data._minfo_end && !*minfoBeg) ++minfoBeg;
auto minfoEnd = minfoBeg;
while (minfoEnd < data._minfo_end && *minfoEnd) ++minfoEnd;
pdso._moduleGroup = ModuleGroup(toRange(minfoBeg, minfoEnd));
}
else
pdso._moduleGroup = ModuleGroup(toRange(data._minfo_beg, data._minfo_end));
static if (SharedDarwin) pdso._getTLSAnchor = data._getTLSAnchor;
ImageHeader header = void;
const headerFound = findImageHeaderForAddr(data._slot, &header);
safeAssert(headerFound, "Failed to find image header.");
scanSegments(header, pdso);
version (Shared)
{
auto handle = handleForAddr(data._slot);
getDependencies(header, pdso._deps);
pdso._handle = handle;
setDSOForHandle(pdso, pdso._handle);
if (!_rtLoading)
{
/* This DSO was not loaded by rt_loadLibrary which
* happens for all dependencies of an executable or
* the first dlopen call from a C program.
* In this case we add the DSO to the _loadedDSOs of this
* thread with a refCnt of 1 and call the TlsCtors.
*/
immutable ushort refCnt = 1, addCnt = 0;
_loadedDSOs.insertBack(ThreadDSO(pdso, refCnt, addCnt, pdso.tlsRange()));
}
}
else
{
version (LDC)
{
// We don't want to depend on __tls_get_addr in non-Shared builds
// so we can actually link statically, so there must be only one
// D shared object.
import core.internal.abort;
_loadedDSOs.empty ||
abort("Only one D shared object allowed for static runtime. " ~
"Link with shared runtime via LDC switch '-link-defaultlib-shared'.");
}
foreach (p; _loadedDSOs)
safeAssert(p !is pdso, "DSO already registered.");
_loadedDSOs.insertBack(pdso);
_tlsRanges.insertBack(pdso.tlsRange());
}
// don't initialize modules before rt_init was called (see Bugzilla 11378)
if (_isRuntimeInitialized)
{
registerGCRanges(pdso);
// rt_loadLibrary will run tls ctors, so do this only for dlopen
immutable runTlsCtors = !_rtLoading;
runModuleConstructors(pdso, runTlsCtors);
}
}
// has backlink => unregister
else
{
DSO* pdso = cast(DSO*)*data._slot;
*data._slot = null;
// don't finalizes modules after rt_term was called (see Bugzilla 11378)
if (_isRuntimeInitialized)
{
// rt_unloadLibrary already ran tls dtors, so do this only for dlclose
immutable runTlsDtors = !_rtLoading;
runModuleDestructors(pdso, runTlsDtors);
unregisterGCRanges(pdso);
// run finalizers after module dtors (same order as in rt_term)
version (Shared) runFinalizers(pdso);
}
version (Shared)
{
if (!_rtLoading)
{
/* This DSO was not unloaded by rt_unloadLibrary so we
* have to remove it from _loadedDSOs here.
*/
foreach (i, ref tdso; _loadedDSOs)
{
if (tdso._pdso == pdso)
{
_loadedDSOs.remove(i);
break;
}
}
}
unsetDSOForHandle(pdso, pdso._handle);
}
else
{
// static DSOs are unloaded in reverse order
safeAssert(pdso == _loadedDSOs.back, "DSO being unregistered isn't current last one.");
_loadedDSOs.popBack();
}
freeDSO(pdso);
// last DSO being unloaded => shutdown registry
if (_loadedDSOs.empty)
{
version (Shared)
{
safeAssert(_handleToDSO.empty, "_handleToDSO not in sync with _loadedDSOs.");
_handleToDSO.reset();
}
finiLocks();
}
}
}
///////////////////////////////////////////////////////////////////////////////
// dynamic loading
///////////////////////////////////////////////////////////////////////////////
// Shared D libraries are only supported when linking against a shared druntime library.
version (Shared)
{
ThreadDSO* findThreadDSO(DSO* pdso) nothrow @nogc
{
foreach (ref tdata; _loadedDSOs)
if (tdata._pdso == pdso) return &tdata;
return null;
}
void incThreadRef(DSO* pdso, bool incAdd)
{
if (auto tdata = findThreadDSO(pdso)) // already initialized
{
if (incAdd && ++tdata._addCnt > 1) return;
++tdata._refCnt;
}
else
{
foreach (dep; pdso._deps)
incThreadRef(dep, false);
immutable ushort refCnt = 1, addCnt = incAdd ? 1 : 0;
_loadedDSOs.insertBack(ThreadDSO(pdso, refCnt, addCnt, pdso.tlsRange()));
pdso._moduleGroup.runTlsCtors();
}
}
void decThreadRef(DSO* pdso, bool decAdd)
{
auto tdata = findThreadDSO(pdso);
safeAssert(tdata !is null, "Failed to find thread DSO.");
safeAssert(!decAdd || tdata._addCnt > 0, "Mismatching rt_unloadLibrary call.");
if (decAdd && --tdata._addCnt > 0) return;
if (--tdata._refCnt > 0) return;
pdso._moduleGroup.runTlsDtors();
foreach (i, ref td; _loadedDSOs)
if (td._pdso == pdso) _loadedDSOs.remove(i);
foreach (dep; pdso._deps)
decThreadRef(dep, false);
}
extern(C) void* rt_loadLibrary(const char* name)
{
immutable save = _rtLoading;
_rtLoading = true;
scope (exit) _rtLoading = save;
auto handle = .dlopen(name, RTLD_LAZY);
if (handle is null) return null;
// if it's a D library
if (auto pdso = dsoForHandle(handle))
incThreadRef(pdso, true);
return handle;
}
extern(C) int rt_unloadLibrary(void* handle)
{
if (handle is null) return false;
immutable save = _rtLoading;
_rtLoading = true;
scope (exit) _rtLoading = save;
// if it's a D library
if (auto pdso = dsoForHandle(handle))
decThreadRef(pdso, true);
return .dlclose(handle) == 0;
}
}
///////////////////////////////////////////////////////////////////////////////
// helper functions
///////////////////////////////////////////////////////////////////////////////
void initLocks() nothrow @nogc
{
version (Shared)
!pthread_mutex_init(&_handleToDSOMutex, null) || assert(0);
}
void finiLocks() nothrow @nogc
{
version (Shared)
!pthread_mutex_destroy(&_handleToDSOMutex) || assert(0);
}
void runModuleConstructors(DSO* pdso, bool runTlsCtors)
{
pdso._moduleGroup.sortCtors();
pdso._moduleGroup.runCtors();
if (runTlsCtors) pdso._moduleGroup.runTlsCtors();
}
void runModuleDestructors(DSO* pdso, bool runTlsDtors)
{
if (runTlsDtors) pdso._moduleGroup.runTlsDtors();
pdso._moduleGroup.runDtors();
}
void registerGCRanges(DSO* pdso) nothrow @nogc
{
foreach (rng; pdso._gcRanges)
GC.addRange(rng.ptr, rng.length);
}
void unregisterGCRanges(DSO* pdso) nothrow @nogc
{
foreach (rng; pdso._gcRanges)
GC.removeRange(rng.ptr);
}
version (Shared) void runFinalizers(DSO* pdso)
{
foreach (seg; pdso._codeSegments)
GC.runFinalizers(seg);
}
void freeDSO(DSO* pdso) nothrow @nogc
{
pdso._gcRanges.reset();
version (Shared)
{
pdso._codeSegments.reset();
pdso._deps.reset();
pdso._handle = null;
}
.free(pdso);
}
version (Shared)
{
@nogc nothrow:
const(char)* nameForDSO(in DSO* pdso)
{
Dl_info info = void;
const success = dladdr(pdso._slot, &info) != 0;
safeAssert(success, "Failed to get DSO info.");
return info.dli_fname;
}
DSO* dsoForHandle(void* handle)
{
DSO* pdso;
!pthread_mutex_lock(&_handleToDSOMutex) || assert(0);
if (auto ppdso = handle in _handleToDSO)
pdso = *ppdso;
!pthread_mutex_unlock(&_handleToDSOMutex) || assert(0);
return pdso;
}
void setDSOForHandle(DSO* pdso, void* handle)
{
!pthread_mutex_lock(&_handleToDSOMutex) || assert(0);
safeAssert(handle !in _handleToDSO, "DSO already registered.");
_handleToDSO[handle] = pdso;
!pthread_mutex_unlock(&_handleToDSOMutex) || assert(0);
}
void unsetDSOForHandle(DSO* pdso, void* handle)
{
!pthread_mutex_lock(&_handleToDSOMutex) || assert(0);
safeAssert(_handleToDSO[handle] == pdso, "Handle doesn't match registered DSO.");
_handleToDSO.remove(handle);
!pthread_mutex_unlock(&_handleToDSOMutex) || assert(0);
}
static if (SharedELF) void getDependencies(const scope ref dl_phdr_info info, ref Array!(DSO*) deps)
{
// get the entries of the .dynamic section
ElfW!"Dyn"[] dyns;
foreach (ref phdr; info.dlpi_phdr[0 .. info.dlpi_phnum])
{
if (phdr.p_type == PT_DYNAMIC)
{
auto p = cast(ElfW!"Dyn"*)(info.dlpi_addr + (phdr.p_vaddr & ~(size_t.sizeof - 1)));
dyns = p[0 .. phdr.p_memsz / ElfW!"Dyn".sizeof];
break;
}
}
// find the string table which contains the sonames
const(char)* strtab;
foreach (dyn; dyns)
{
if (dyn.d_tag == DT_STRTAB)
{
version (CRuntime_Musl)
strtab = cast(const(char)*)(info.dlpi_addr + dyn.d_un.d_ptr); // relocate
else version (linux)
strtab = cast(const(char)*)dyn.d_un.d_ptr;
else version (FreeBSD)
strtab = cast(const(char)*)(info.dlpi_addr + dyn.d_un.d_ptr); // relocate
else version (NetBSD)
strtab = cast(const(char)*)(info.dlpi_addr + dyn.d_un.d_ptr); // relocate
else version (DragonFlyBSD)
strtab = cast(const(char)*)(info.dlpi_addr + dyn.d_un.d_ptr); // relocate
else
static assert(0, "unimplemented");
break;
}
}
foreach (dyn; dyns)
{
immutable tag = dyn.d_tag;
if (!(tag == DT_NEEDED || tag == DT_AUXILIARY || tag == DT_FILTER))
continue;
// soname of the dependency
auto name = strtab + dyn.d_un.d_val;
// get handle without loading the library
auto handle = handleForName(name);
// the runtime linker has already loaded all dependencies
safeAssert(handle !is null, "Failed to get library handle.");
// if it's a D library
if (auto pdso = dsoForHandle(handle))
deps.insertBack(pdso); // append it to the dependencies
}
}
else static if (SharedDarwin) void getDependencies(in ImageHeader info, ref Array!(DSO*) deps)
{
// FIXME: Not implemented yet.
}
void* handleForName(const char* name)
{
auto handle = .dlopen(name, RTLD_NOLOAD | RTLD_LAZY);
if (handle !is null) .dlclose(handle); // drop reference count
return handle;
}
}
///////////////////////////////////////////////////////////////////////////////
// Elf program header iteration
///////////////////////////////////////////////////////////////////////////////
/************
* Scan segments in the image header and store
* the TLS and writeable data segments in *pdso.
*/
static if (SharedELF) void scanSegments(const scope ref dl_phdr_info info, DSO* pdso) nothrow @nogc
{
foreach (ref phdr; info.dlpi_phdr[0 .. info.dlpi_phnum])
{
switch (phdr.p_type)
{
case PT_LOAD:
if (phdr.p_flags & PF_W) // writeable data segment
{
auto beg = cast(void*)(info.dlpi_addr + (phdr.p_vaddr & ~(size_t.sizeof - 1)));
pdso._gcRanges.insertBack(beg[0 .. phdr.p_memsz]);
}
version (Shared) if (phdr.p_flags & PF_X) // code segment
{
auto beg = cast(void*)(info.dlpi_addr + (phdr.p_vaddr & ~(size_t.sizeof - 1)));
pdso._codeSegments.insertBack(beg[0 .. phdr.p_memsz]);
}
break;
case PT_TLS: // TLS segment
safeAssert(!pdso._tlsSize, "Multiple TLS segments in image header.");
version (CRuntime_UClibc)
{
// uClibc doesn't provide a 'dlpi_tls_modid' definition
}
else
pdso._tlsMod = info.dlpi_tls_modid;
pdso._tlsSize = phdr.p_memsz;
version (LDC)
{
// align to multiple of size_t to avoid misaligned scanning
// (size is subtracted from TCB address to get base of TLS)
immutable mask = size_t.sizeof - 1;
pdso._tlsSize = (pdso._tlsSize + mask) & ~mask;
}
break;
default:
break;
}
}
}
else static if (SharedDarwin) void scanSegments(mach_header* info, DSO* pdso)
{
import rt.mach_utils;
immutable slide = _dyld_get_image_slide(info);
foreach (e; dataSections)
{
auto sect = getSection(info, slide, e.seg, e.sect);
if (sect != null)
pdso._gcRanges.insertBack((cast(void*)sect.ptr)[0 .. sect.length]);
}
version (Shared)
{
auto text = getSection(info, slide, "__TEXT", "__text");
if (!text) {
assert(0, "Failed to get text section.");
}
pdso._codeSegments.insertBack(cast(void[])text);
}
}
/**************************
* Input:
* result where the output is to be written; dl_phdr_info is an OS struct
* Returns:
* true if found, and *result is filled in
* References:
* http://linux.die.net/man/3/dl_iterate_phdr
*/
bool findImageHeaderForAddr(in void* addr, ImageHeader* result=null) nothrow @nogc
{
version (linux) enum IterateManually = true;
else version (NetBSD) enum IterateManually = true;
else enum IterateManually = false;
static if (IterateManually)
{
static struct DG { const(void)* addr; dl_phdr_info* result; }
extern(C) int callback(dl_phdr_info* info, size_t sz, void* arg) nothrow @nogc
{
auto p = cast(DG*)arg;
if (findSegmentForAddr(*info, p.addr))
{
if (p.result !is null) *p.result = *info;
return 1; // break;
}
return 0; // continue iteration
}
auto dg = DG(addr, result);
/* OS function that walks through the list of an application's shared objects and
* calls 'callback' once for each object, until either all shared objects
* have been processed or 'callback' returns a nonzero value.
*/
return dl_iterate_phdr(&callback, &dg) != 0;
}
else version (OSX)
{
auto header = _dyld_get_image_header_containing_address(addr);
if (result) *result = header;
return !!header;
}
else version (FreeBSD)
{
return !!_rtld_addr_phdr(addr, result);
}
else version (DragonFlyBSD)
{
return !!_rtld_addr_phdr(addr, result);
}
else
static assert(0, "unimplemented");
}
/*********************************
* Determine if 'addr' lies within shared object 'info'.
* If so, return true and fill in 'result' with the corresponding ELF program header.
*/
static if (SharedELF) bool findSegmentForAddr(const scope ref dl_phdr_info info, const scope void* addr, ElfW!"Phdr"* result=null) nothrow @nogc
{
if (addr < cast(void*)info.dlpi_addr) // less than base address of object means quick reject
return false;
foreach (ref phdr; info.dlpi_phdr[0 .. info.dlpi_phnum])
{
auto beg = cast(void*)(info.dlpi_addr + phdr.p_vaddr);
if (cast(size_t)(addr - beg) < phdr.p_memsz)
{
if (result !is null) *result = phdr;
return true;
}
}
return false;
}
version (linux) import core.sys.linux.errno : program_invocation_name;
// should be in core.sys.freebsd.stdlib
version (FreeBSD) extern(C) const(char)* getprogname() nothrow @nogc;
version (OSX) extern(C) const(char)* getprogname() nothrow @nogc;
version (DragonFlyBSD) extern(C) const(char)* getprogname() nothrow @nogc;
version (NetBSD) extern(C) const(char)* getprogname() nothrow @nogc;
@property const(char)* progname() nothrow @nogc
{
version (linux) return program_invocation_name;
version (FreeBSD) return getprogname();
version (OSX) return getprogname();
version (DragonFlyBSD) return getprogname();
version (NetBSD) return getprogname();
}
const(char)[] dsoName(const char* dlpi_name) nothrow @nogc
{
// the main executable doesn't have a name in its dlpi_name field
const char* p = dlpi_name[0] != 0 ? dlpi_name : progname;
return p[0 .. strlen(p)];
}
/**************************
* Input:
* addr an internal address of a DSO
* Returns:
* the dlopen handle for that DSO or null if addr is not within a loaded DSO
*/
version (Shared) void* handleForAddr(void* addr) nothrow @nogc
{
Dl_info info = void;
if (dladdr(addr, &info) != 0)
return handleForName(info.dli_fname);
return null;
}
///////////////////////////////////////////////////////////////////////////////
// TLS module helper
///////////////////////////////////////////////////////////////////////////////
/*
* Returns: the TLS memory range for a given module and the calling
* thread or null if that module has no TLS.
*
* Note: This will cause the TLS memory to be eagerly allocated.
*/
struct tls_index
{
version (CRuntime_Glibc)
{
// For x86_64, fields are of type uint64_t, this is important for x32
// where tls_index would otherwise have the wrong size.
// See https://sourceware.org/git/?p=glibc.git;a=blob;f=sysdeps/x86_64/dl-tls.h
version (X86_64)
{
ulong ti_module;
ulong ti_offset;
}
else
{
c_ulong ti_module;
c_ulong ti_offset;
}
}
else
{
size_t ti_module;
size_t ti_offset;
}
}
static if (SharedDarwin)
{
version (LDC)
{
private align(16) ubyte dummyTlsSymbol = 42;
// By initializing dummyTlsSymbol with something non-zero and aligning
// to 16-bytes, section __thread_data will be aligned as a workaround
// for https://github.com/ldc-developers/ldc/issues/1252
}
version (X86_64)
import rt.sections_osx_x86_64 : getTLSRange;
else
static assert(0, "Not implemented for this architecture");
}
else
{
version (LDC)
{
version (PPC)
{
extern(C) void* __tls_get_addr_opt(tls_index* ti) nothrow @nogc;
alias __tls_get_addr = __tls_get_addr_opt;
}
else version (PPC64)
{
extern(C) void* __tls_get_addr_opt(tls_index* ti) nothrow @nogc;
alias __tls_get_addr = __tls_get_addr_opt;
}
else
extern(C) void* __tls_get_addr(tls_index* ti) nothrow @nogc;
}
else
extern(C) void* __tls_get_addr(tls_index* ti) nothrow @nogc;
/* The dynamic thread vector (DTV) pointers may point 0x8000 past the start of
* each TLS block. This is at least true for PowerPC and Mips platforms.
* See: https://sourceware.org/git/?p=glibc.git;a=blob;f=sysdeps/powerpc/dl-tls.h;h=f7cf6f96ebfb505abfd2f02be0ad0e833107c0cd;hb=HEAD#l34
* https://sourceware.org/git/?p=glibc.git;a=blob;f=sysdeps/mips/dl-tls.h;h=93a6dc050cb144b9f68b96fb3199c60f5b1fcd18;hb=HEAD#l32
* https://sourceware.org/git/?p=glibc.git;a=blob;f=sysdeps/riscv/dl-tls.h;h=ab2d860314de94c18812bc894ff6b3f55368f20f;hb=HEAD#l32
*/
version (X86)
enum TLS_DTV_OFFSET = 0x0;
else version (X86_64)
enum TLS_DTV_OFFSET = 0x0;
else version (ARM)
enum TLS_DTV_OFFSET = 0x0;
else version (AArch64)
enum TLS_DTV_OFFSET = 0x0;
else version (RISCV32)
enum TLS_DTV_OFFSET = 0x800;
else version (RISCV64)
enum TLS_DTV_OFFSET = 0x800;
else version (HPPA)
enum TLS_DTV_OFFSET = 0x0;
else version (SPARC)
enum TLS_DTV_OFFSET = 0x0;
else version (SPARC64)
enum TLS_DTV_OFFSET = 0x0;
else version (PPC)
enum TLS_DTV_OFFSET = 0x8000;
else version (PPC64)
enum TLS_DTV_OFFSET = 0x8000;
else version (MIPS32)
enum TLS_DTV_OFFSET = 0x8000;
else version (MIPS64)
enum TLS_DTV_OFFSET = 0x8000;
else
static assert( false, "Platform not supported." );
version (LDC)
{
// We do not want to depend on __tls_get_addr for non-Shared builds to support
// linking against a static C runtime.
version (X86) version = X86_Any;
version (X86_64) version = X86_Any;
version (Shared) {} else version (linux) version (X86_Any)
version = Static_Linux_X86_Any;
}
void[] getTLSRange(size_t mod, size_t sz) nothrow @nogc
{
version (Static_Linux_X86_Any)
{
version (X86)
static void* endOfBlock() nothrow @nogc { asm nothrow @nogc { naked; mov EAX, GS:[0]; ret; } }
else version (X86_64)
static void* endOfBlock() nothrow @nogc { asm nothrow @nogc { naked; mov RAX, FS:[0]; ret; } }
// FIXME: It is unclear whether aligning the area down to the next
// double-word is necessary and if so, on what systems, but at least
// some implementations seem to do it.
version (none)
{
immutable mask = (2 * size_t.sizeof) - 1;
sz = (sz + mask) & ~mask;
}
return (endOfBlock() - sz)[0 .. sz];
}
else
{
if (mod == 0)
return null;
// base offset
auto ti = tls_index(mod, 0);
return (__tls_get_addr(&ti)-TLS_DTV_OFFSET)[0 .. sz];
}
}
} // !OSX
|
D
|
module imports.imp2c;
void baz() {}
|
D
|
/*
A cellular automaton visualized with SDL2.
When running this, pass the rule (0-255) you want it to show.
*/
import std.conv : to;
import std.bitmanip : BitArray;
import derelict.sdl2.sdl;
immutable int width = 1000;
immutable int height = 1000;
void main(string[] args) {
import std.format : format;
import std.string : toStringz;
// get a rule number from arguments passed to `main'
int rulenum = to!int(args[1]);
// then turn it into a BitArray
BitArray ruleset = BitArray([rulenum], 8);
// set up SDL2 window and renderer
SDL_Window* win;
SDL_Renderer* renderer;
const char* title = toStringz(format("Wolfram Rule #%d", rulenum));
DerelictSDL2.load();
SDL_Init(SDL_INIT_VIDEO);
win = SDL_CreateWindow(title, 100, 100, width, height, 0);
renderer = SDL_CreateRenderer(win, -1, SDL_RENDERER_ACCELERATED);
// initialize `cells' to all 0 (dead) except the middle cell
int[width] cells;
cells[cast(int)$/2] = 1;
// rendering loop
int y = 0;
while(true) {
SDL_Event e;
if(SDL_PollEvent(&e) && e.type == SDL_QUIT) break;
// draw cells and make new row if screen isn't filled yet
drawCells(renderer, cells, y);
SDL_RenderPresent(renderer);
if(y < height) updateCells(ruleset, cells);
y++;
}
SDL_DestroyRenderer(renderer);
SDL_DestroyWindow(win);
}
// draws a white point for each live cell
void drawCells(SDL_Renderer* renderer, int[] cells, int y) {
SDL_SetRenderDrawColor(renderer, 255, 255, 255, 255);
foreach(x, cell; cells) {
if(cell == 1) SDL_RenderDrawPoint(renderer, x, y);
}
}
// based on ruleset and neighbors, return a new cell value
int doRule(BitArray ruleset, int l, int me, int r) {
import std.format : format;
// the 3 cells can be turned into a base-10 number
// that is used to look up the middle cell's new value in the ruleset
int i = to!int(format("%d%d%d", l, me, r), 2);
return ruleset[i];
}
// update the cell array with `doRule'
void updateCells(BitArray ruleset, ref int[width] cells) {
int[cells.length] oldCells;
oldCells[] = cells;
foreach(i, cell; oldCells) {
// neighbors wrap around ends of array
int l, r;
if(i == 0) l = oldCells[$-1];
else if(i == cells.length-1) r = oldCells[0];
else {
l = oldCells[i-1];
r = oldCells[i+1];
}
cells[i] = doRule(ruleset, l, cell, r);
}
}
|
D
|
import scone;
void main()
{
bool loop = true;
window.title = "Example 3";
window.resize(40,10);
while(loop)
{
foreach(input; window.getInputs())
{
if((input.key == SK.c && input.hasControlKey(SCK.ctrl)) || input.key == SK.escape)
{
loop = false;
break;
}
window.clear();
window.write
(
0,0,
fg(Color.white_dark), "Key: ", fg(Color.red), input.key, "\n",
fg(Color.white_dark), "Control Key: ", fg(Color.blue), input.controlKey, "\n",
fg(Color.white_dark), "Pressed: ", fg(Color.green), input.pressed
);
}
window.print();
}
}
|
D
|
// Generated by gnome-h2d.rb <http://github.com/ddude/gnome.d>.
module gobject.signal;
public import core.stdc.stdarg;
/* GObject - GLib Type, Object, Parameter and Signal Library
* Copyright (C) 2000-2001 Red Hat, Inc.
*
* 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 2 of the License, or (at your option) any later version.
*
* This library 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, write to the
* Free Software Foundation, Inc., 59 Temple Place, Suite 330,
* Boston, MA 02111-1307, USA.
*/
/+
#if !defined (__GLIB_GOBJECT_H_INSIDE__) && !defined (GOBJECT_COMPILATION)
#error "Only <glib-object.h> can be included directly."
//#endif
+/
public import gobject.closure;
public import gobject.value;
public import gobject.param;
public import gobject.marshal;
extern(C):
/* --- typedefs --- */
//struct _GSignalQuery GSignalQuery;
//struct _GSignalInvocationHint GSignalInvocationHint;
/**
* GSignalCMarshaller:
*
* This is the signature of marshaller functions, required to marshall
* arrays of parameter values to signal emissions into C language callback
* invocations. It is merely an alias to #GClosureMarshal since the #GClosure
* mechanism takes over responsibility of actual function invocation for the
* signal system.
*/
alias GClosureMarshal GSignalCMarshaller;
/**
* GSignalCVaMarshaller:
*
* This is the signature of va_list marshaller functions, an optional
* marshaller that can be used in some situations to avoid
* marshalling the signal argument into GValues.
*/
alias GVaClosureMarshal GSignalCVaMarshaller;
/**
* GSignalEmissionHook:
* @ihint: Signal invocation hint, see #GSignalInvocationHint.
* @n_param_values: the number of parameters to the function, including
* the instance on which the signal was emitted.
* @param_values: (array length=n_param_values): the instance on which
* the signal was emitted, followed by the parameters of the emission.
* @data: user data associated with the hook.
*
* A simple function pointer to get invoked when the signal is emitted. This
* allows you to tie a hook to the signal type, so that it will trap all
* emissions of that signal, from any object.
*
* You may not attach these to signals created with the #G_SIGNAL_NO_HOOKS flag.
*
* Returns: whether it wants to stay connected. If it returns %FALSE, the signal
* hook is disconnected (and destroyed).
*/
alias gboolean function(GSignalInvocationHint *ihint,
guint n_param_values,
const(GValue)* param_values,
gpointer data) GSignalEmissionHook;
/**
* GSignalAccumulator:
* @ihint: Signal invocation hint, see #GSignalInvocationHint.
* @return_accu: Accumulator to collect callback return values in, this
* is the return value of the current signal emission.
* @handler_return: A #GValue holding the return value of the signal handler.
* @data: Callback data that was specified when creating the signal.
*
* The signal accumulator is a special callback function that can be used
* to collect return values of the various callbacks that are called
* during a signal emission. The signal accumulator is specified at signal
* creation time, if it is left %NULL, no accumulation of callback return
* values is performed. The return value of signal emissions is then the
* value returned by the last callback.
*
* Returns: The accumulator function returns whether the signal emission
* should be aborted. Returning %FALSE means to abort the
* current emission and %TRUE is returned for continuation.
*/
alias gboolean function(GSignalInvocationHint *ihint,
GValue *return_accu,
const(GValue)* handler_return,
gpointer data) GSignalAccumulator;
/* --- run, match and connect types --- */
/**
* GSignalFlags:
* @G_SIGNAL_RUN_FIRST: Invoke the object method handler in the first emission stage.
* @G_SIGNAL_RUN_LAST: Invoke the object method handler in the third emission stage.
* @G_SIGNAL_RUN_CLEANUP: Invoke the object method handler in the last emission stage.
* @G_SIGNAL_NO_RECURSE: Signals being emitted for an object while currently being in
* emission for this very object will not be emitted recursively,
* but instead cause the first emission to be restarted.
* @G_SIGNAL_DETAILED: This signal supports "::detail" appendices to the signal name
* upon handler connections and emissions.
* @G_SIGNAL_ACTION: Action signals are signals that may freely be emitted on alive
* objects from user code via g_signal_emit() and friends, without
* the need of being embedded into extra code that performs pre or
* post emission adjustments on the object. They can also be thought
* of as object methods which can be called generically by
* third-party code.
* @G_SIGNAL_NO_HOOKS: No emissions hooks are supported for this signal.
* @G_SIGNAL_MUST_COLLECT: Varargs signal emission will always collect the
* arguments, even if there are no signal handlers connected. Since 2.30.
* @G_SIGNAL_DEPRECATED: The signal is deprecated and will be removed
* in a future version. A warning will be generated if it is connected while
* running with G_ENABLE_DIAGNOSTIC=1. Since 2.32.
*
* The signal flags are used to specify a signal's behaviour, the overall
* signal description outlines how especially the RUN flags control the
* stages of a signal emission.
*/
enum GSignalFlags {
G_SIGNAL_RUN_FIRST = 1 << 0,
G_SIGNAL_RUN_LAST = 1 << 1,
G_SIGNAL_RUN_CLEANUP = 1 << 2,
G_SIGNAL_NO_RECURSE = 1 << 3,
G_SIGNAL_DETAILED = 1 << 4,
G_SIGNAL_ACTION = 1 << 5,
G_SIGNAL_NO_HOOKS = 1 << 6,
G_SIGNAL_MUST_COLLECT = 1 << 7,
G_SIGNAL_DEPRECATED = 1 << 8
}
/**
* G_SIGNAL_FLAGS_MASK:
*
* A mask for all #GSignalFlags bits.
*/
//#define G_SIGNAL_FLAGS_MASK 0x1ff
/**
* GConnectFlags:
* @G_CONNECT_AFTER: whether the handler should be called before or after the
* default handler of the signal.
* @G_CONNECT_SWAPPED: whether the instance and data should be swapped when
* calling the handler.
*
* The connection flags are used to specify the behaviour of a signal's
* connection.
*/
enum GConnectFlags {
G_CONNECT_AFTER = 1 << 0,
G_CONNECT_SWAPPED = 1 << 1
}
/**
* GSignalMatchType:
* @G_SIGNAL_MATCH_ID: The signal id must be equal.
* @G_SIGNAL_MATCH_DETAIL: The signal detail be equal.
* @G_SIGNAL_MATCH_CLOSURE: The closure must be the same.
* @G_SIGNAL_MATCH_FUNC: The C closure callback must be the same.
* @G_SIGNAL_MATCH_DATA: The closure data must be the same.
* @G_SIGNAL_MATCH_UNBLOCKED: Only unblocked signals may matched.
*
* The match types specify what g_signal_handlers_block_matched(),
* g_signal_handlers_unblock_matched() and g_signal_handlers_disconnect_matched()
* match signals by.
*/
enum GSignalMatchType {
G_SIGNAL_MATCH_ID = 1 << 0,
G_SIGNAL_MATCH_DETAIL = 1 << 1,
G_SIGNAL_MATCH_CLOSURE = 1 << 2,
G_SIGNAL_MATCH_FUNC = 1 << 3,
G_SIGNAL_MATCH_DATA = 1 << 4,
G_SIGNAL_MATCH_UNBLOCKED = 1 << 5
}
/**
* G_SIGNAL_MATCH_MASK:
*
* A mask for all #GSignalMatchType bits.
*/
//#define G_SIGNAL_MATCH_MASK 0x3f
/**
* G_SIGNAL_TYPE_STATIC_SCOPE:
*
* This macro flags signal argument types for which the signal system may
* assume that instances thereof remain persistent across all signal emissions
* they are used in. This is only useful for non ref-counted, value-copy types.
*
* To flag a signal argument in this way, add
* <literal>| G_SIGNAL_TYPE_STATIC_SCOPE</literal> to the corresponding argument
* of g_signal_new().
* |[
* g_signal_new ("size_request",
* G_TYPE_FROM_CLASS (gobject_class),
* G_SIGNAL_RUN_FIRST,
* G_STRUCT_OFFSET (GtkWidgetClass, size_request),
* NULL, NULL,
* _gtk_marshal_VOID__BOXED,
* G_TYPE_NONE, 1,
* GTK_TYPE_REQUISITION | G_SIGNAL_TYPE_STATIC_SCOPE);
* ]|
*/
//#define G_SIGNAL_TYPE_STATIC_SCOPE (G_TYPE_FLAG_RESERVED_ID_BIT)
/* --- signal information --- */
/**
* GSignalInvocationHint:
* @signal_id: The signal id of the signal invoking the callback
* @detail: The detail passed on for this emission
* @run_type: The stage the signal emission is currently in, this
* field will contain one of %G_SIGNAL_RUN_FIRST,
* %G_SIGNAL_RUN_LAST or %G_SIGNAL_RUN_CLEANUP.
*
* The #GSignalInvocationHint structure is used to pass on additional information
* to callbacks during a signal emission.
*/
struct GSignalInvocationHint {
guint signal_id;
GQuark detail;
GSignalFlags run_type;
};
/**
* GSignalQuery:
* @signal_id: The signal id of the signal being queried, or 0 if the
* signal to be queried was unknown.
* @signal_name: The signal name.
* @itype: The interface/instance type that this signal can be emitted for.
* @signal_flags: The signal flags as passed in to g_signal_new().
* @return_type: The return type for user callbacks.
* @n_params: The number of parameters that user callbacks take.
* @param_types: The individual parameter types for user callbacks, note that the
* effective callback signature is:
* <programlisting>
* @return_type callback (#gpointer data1,
* [param_types param_names,]
* gpointer data2);
* </programlisting>
*
* A structure holding in-depth information for a specific signal. It is
* filled in by the g_signal_query() function.
*/
struct GSignalQuery {
guint signal_id;
const(gchar)* signal_name;
GType itype;
GSignalFlags signal_flags;
GType return_type; /* mangled with G_SIGNAL_TYPE_STATIC_SCOPE flag */
guint n_params;
const(GType)* param_types; /* mangled with G_SIGNAL_TYPE_STATIC_SCOPE flag */
};
/* --- signals --- */
guint g_signal_newv (const(gchar)* signal_name,
GType itype,
GSignalFlags signal_flags,
GClosure *class_closure,
GSignalAccumulator accumulator,
gpointer accu_data,
GSignalCMarshaller c_marshaller,
GType return_type,
guint n_params,
GType *param_types);
guint g_signal_new_valist (const(gchar)* signal_name,
GType itype,
GSignalFlags signal_flags,
GClosure *class_closure,
GSignalAccumulator accumulator,
gpointer accu_data,
GSignalCMarshaller c_marshaller,
GType return_type,
guint n_params,
va_list args);
guint g_signal_new (const(gchar)* signal_name,
GType itype,
GSignalFlags signal_flags,
guint class_offset,
GSignalAccumulator accumulator,
gpointer accu_data,
GSignalCMarshaller c_marshaller,
GType return_type,
guint n_params,
...);
guint g_signal_new_class_handler (const(gchar)* signal_name,
GType itype,
GSignalFlags signal_flags,
GCallback class_handler,
GSignalAccumulator accumulator,
gpointer accu_data,
GSignalCMarshaller c_marshaller,
GType return_type,
guint n_params,
...);
void g_signal_set_va_marshaller (guint signal_id,
GType instance_type,
GSignalCVaMarshaller va_marshaller);
void g_signal_emitv (const(GValue)* instance_and_params,
guint signal_id,
GQuark detail,
GValue *return_value);
void g_signal_emit_valist (gpointer instance,
guint signal_id,
GQuark detail,
va_list var_args);
void g_signal_emit (gpointer instance,
guint signal_id,
GQuark detail,
...);
void g_signal_emit_by_name (gpointer instance,
const(gchar)* detailed_signal,
...);
guint g_signal_lookup (const(gchar)* name,
GType itype);
const(gchar)* g_signal_name (guint signal_id);
void g_signal_query (guint signal_id,
GSignalQuery *query);
guint* g_signal_list_ids (GType itype,
guint *n_ids);
gboolean g_signal_parse_name (const(gchar)* detailed_signal,
GType itype,
guint *signal_id_p,
GQuark *detail_p,
gboolean force_detail_quark);
GSignalInvocationHint* g_signal_get_invocation_hint (gpointer instance);
/* --- signal emissions --- */
void g_signal_stop_emission (gpointer instance,
guint signal_id,
GQuark detail);
void g_signal_stop_emission_by_name (gpointer instance,
const(gchar)* detailed_signal);
gulong g_signal_add_emission_hook (guint signal_id,
GQuark detail,
GSignalEmissionHook hook_func,
gpointer hook_data,
GDestroyNotify data_destroy);
void g_signal_remove_emission_hook (guint signal_id,
gulong hook_id);
/* --- signal handlers --- */
gboolean g_signal_has_handler_pending (gpointer instance,
guint signal_id,
GQuark detail,
gboolean may_be_blocked);
gulong g_signal_connect_closure_by_id (gpointer instance,
guint signal_id,
GQuark detail,
GClosure *closure,
gboolean after);
gulong g_signal_connect_closure (gpointer instance,
const(gchar)* detailed_signal,
GClosure *closure,
gboolean after);
gulong g_signal_connect_data (gpointer instance,
const(gchar)* detailed_signal,
GCallback c_handler,
gpointer data,
GClosureNotify destroy_data,
GConnectFlags connect_flags);
void g_signal_handler_block (gpointer instance,
gulong handler_id);
void g_signal_handler_unblock (gpointer instance,
gulong handler_id);
void g_signal_handler_disconnect (gpointer instance,
gulong handler_id);
gboolean g_signal_handler_is_connected (gpointer instance,
gulong handler_id);
gulong g_signal_handler_find (gpointer instance,
GSignalMatchType mask,
guint signal_id,
GQuark detail,
GClosure *closure,
gpointer func,
gpointer data);
guint g_signal_handlers_block_matched (gpointer instance,
GSignalMatchType mask,
guint signal_id,
GQuark detail,
GClosure *closure,
gpointer func,
gpointer data);
guint g_signal_handlers_unblock_matched (gpointer instance,
GSignalMatchType mask,
guint signal_id,
GQuark detail,
GClosure *closure,
gpointer func,
gpointer data);
guint g_signal_handlers_disconnect_matched (gpointer instance,
GSignalMatchType mask,
guint signal_id,
GQuark detail,
GClosure *closure,
gpointer func,
gpointer data);
/* --- overriding and chaining --- */
void g_signal_override_class_closure (guint signal_id,
GType instance_type,
GClosure *class_closure);
void g_signal_override_class_handler (const(gchar)* signal_name,
GType instance_type,
GCallback class_handler);
void g_signal_chain_from_overridden (const(GValue)* instance_and_params,
GValue *return_value);
void g_signal_chain_from_overridden_handler (gpointer instance,
...);
/* --- convenience --- */
/**
* g_signal_connect:
* @instance: the instance to connect to.
* @detailed_signal: a string of the form "signal-name::detail".
* @c_handler: the #GCallback to connect.
* @data: data to pass to @c_handler calls.
*
* Connects a #GCallback function to a signal for a particular object.
*
* The handler will be called before the default handler of the signal.
*
* Returns: the handler id
*/
//#define g_signal_connect(instance, detailed_signal, c_handler, data)
// g_signal_connect_data ((instance), (detailed_signal), (c_handler), (data), NULL, (GConnectFlags) 0)
/**
* g_signal_connect_after:
* @instance: the instance to connect to.
* @detailed_signal: a string of the form "signal-name::detail".
* @c_handler: the #GCallback to connect.
* @data: data to pass to @c_handler calls.
*
* Connects a #GCallback function to a signal for a particular object.
*
* The handler will be called after the default handler of the signal.
*
* Returns: the handler id
*/
//#define g_signal_connect_after(instance, detailed_signal, c_handler, data)
// g_signal_connect_data ((instance), (detailed_signal), (c_handler), (data), NULL, G_CONNECT_AFTER)
/**
* g_signal_connect_swapped:
* @instance: the instance to connect to.
* @detailed_signal: a string of the form "signal-name::detail".
* @c_handler: the #GCallback to connect.
* @data: data to pass to @c_handler calls.
*
* Connects a #GCallback function to a signal for a particular object.
*
* The instance on which the signal is emitted and @data will be swapped when
* calling the handler.
*
* Returns: the handler id
*/
//#define g_signal_connect_swapped(instance, detailed_signal, c_handler, data)
// g_signal_connect_data ((instance), (detailed_signal), (c_handler), (data), NULL, G_CONNECT_SWAPPED)
/**
* g_signal_handlers_disconnect_by_func:
* @instance: The instance to remove handlers from.
* @func: The C closure callback of the handlers (useless for non-C closures).
* @data: The closure data of the handlers' closures.
*
* Disconnects all handlers on an instance that match @func and @data.
*
* Returns: The number of handlers that matched.
*/
//#define g_signal_handlers_disconnect_by_func(instance, func, data)
// g_signal_handlers_disconnect_matched ((instance),
// (GSignalMatchType) (G_SIGNAL_MATCH_FUNC | G_SIGNAL_MATCH_DATA),
// 0, 0, NULL, (func), (data))
/**
* g_signal_handlers_disconnect_by_data:
* @instance: The instance to remove handlers from
* @data: the closure data of the handlers' closures
*
* Disconnects all handlers on an instance that match @data.
*
* Returns: The number of handlers that matched.
*
* Since: 2.32
*/
//#define g_signal_handlers_disconnect_by_data(instance, data)
// g_signal_handlers_disconnect_matched ((instance), G_SIGNAL_MATCH_DATA, 0, 0, NULL, NULL, (data))
/**
* g_signal_handlers_block_by_func:
* @instance: The instance to block handlers from.
* @func: The C closure callback of the handlers (useless for non-C closures).
* @data: The closure data of the handlers' closures.
*
* Blocks all handlers on an instance that match @func and @data.
*
* Returns: The number of handlers that matched.
*/
//#define g_signal_handlers_block_by_func(instance, func, data)
// g_signal_handlers_block_matched ((instance),
// (GSignalMatchType) (G_SIGNAL_MATCH_FUNC | G_SIGNAL_MATCH_DATA),
// 0, 0, NULL, (func), (data))
/**
* g_signal_handlers_unblock_by_func:
* @instance: The instance to unblock handlers from.
* @func: The C closure callback of the handlers (useless for non-C closures).
* @data: The closure data of the handlers' closures.
*
* Unblocks all handlers on an instance that match @func and @data.
*
* Returns: The number of handlers that matched.
*/
//#define g_signal_handlers_unblock_by_func(instance, func, data)
// g_signal_handlers_unblock_matched ((instance),
// (GSignalMatchType) (G_SIGNAL_MATCH_FUNC | G_SIGNAL_MATCH_DATA),
// 0, 0, NULL, (func), (data))
gboolean g_signal_accumulator_true_handled (GSignalInvocationHint *ihint,
GValue *return_accu,
const(GValue)* handler_return,
gpointer dummy);
gboolean g_signal_accumulator_first_wins (GSignalInvocationHint *ihint,
GValue *return_accu,
const(GValue)* handler_return,
gpointer dummy);
/*< private >*/
void g_signal_handlers_destroy (gpointer instance);
void _g_signals_destroy (GType itype);
|
D
|
/Users/obuchiyuki/Desktop/SaftyDrive/Build/Intermediates/SafetyDrive.build/Debug-iphoneos/SaftyDrive.build/Objects-normal/arm64/MKEmbedMainControllerSegue.o : /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSnackbar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMMenu.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMTip.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKImageView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/etc.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKColor.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKNavigationBar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSwitch.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCollectionViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingCellViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLayer.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKActivityIndicator.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMReachability.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedMainControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMNavigationViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingDataController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedDrawerControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKRefreshControl.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSideDrawerViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCardView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTextField.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTableViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/ViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMAlertController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/swiftyJSON.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLabel.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKButton.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/AppDelegate.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMHorizontalMenu.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule
/Users/obuchiyuki/Desktop/SaftyDrive/Build/Intermediates/SafetyDrive.build/Debug-iphoneos/SaftyDrive.build/Objects-normal/arm64/MKEmbedMainControllerSegue~partial.swiftmodule : /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSnackbar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMMenu.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMTip.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKImageView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/etc.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKColor.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKNavigationBar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSwitch.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCollectionViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingCellViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLayer.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKActivityIndicator.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMReachability.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedMainControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMNavigationViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingDataController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedDrawerControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKRefreshControl.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSideDrawerViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCardView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTextField.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTableViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/ViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMAlertController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/swiftyJSON.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLabel.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKButton.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/AppDelegate.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMHorizontalMenu.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule
/Users/obuchiyuki/Desktop/SaftyDrive/Build/Intermediates/SafetyDrive.build/Debug-iphoneos/SaftyDrive.build/Objects-normal/arm64/MKEmbedMainControllerSegue~partial.swiftdoc : /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSnackbar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMMenu.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMTip.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKImageView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/etc.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKColor.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKNavigationBar.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSwitch.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCollectionViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingCellViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLayer.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKActivityIndicator.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMReachability.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedMainControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMNavigationViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingDataController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKEmbedDrawerControllerSegue.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKRefreshControl.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKSideDrawerViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKCardView.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/PagingViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTextField.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKTableViewCell.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/ViewController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMAlertController.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/swiftyJSON.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKLabel.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/MK/MKButton.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/AppDelegate.swift /Users/obuchiyuki/Desktop/SaftyDrive/SaftyDrive/RMHorizontalMenu.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/arm64/CoreImage.swiftmodule
|
D
|
/Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/GroupedObservable.o : /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Reactive.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Errors.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/AtomicInt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Event.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/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/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxAtomic.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/GroupedObservable~partial.swiftmodule : /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Reactive.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Errors.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/AtomicInt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Event.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/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/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxAtomic.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/GroupedObservable~partial.swiftdoc : /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Reactive.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Errors.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/AtomicInt.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Event.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Rx.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/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/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bernardo.tolosa/Documents/workspace/iosworks/basicmvvm/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxAtomic.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
// REQUIRED_ARGS: -m32
/*
TEST_OUTPUT:
---
fail_compilation/fail37_m32.d(9): Error: `cast(float)4u / cast(float)8u - cast(float)2147483647` is not of integral type, it is a `float`
---
*/
ulong[cast(uint)((cast(float)int.sizeof/ulong.sizeof)-int.max>>2)+int.max>>2] hexarray;
|
D
|
INSTANCE Monster_11073_Leprechaun_AW (Mst_Default_Gobbo_Green)
{
name = "Leprechaun";
guild = GIL_SHEEP;
aivar[AIV_MM_REAL_ID] = ID_KOBOLD;
id = 11073;
voice = 20;
level = 10;
//----- Attribute ----
attribute [ATR_STRENGTH] = 100;
attribute [ATR_DEXTERITY] = 100;
attribute [ATR_HITPOINTS_MAX] = 500;
attribute [ATR_HITPOINTS] = 500;
attribute [ATR_MANA_MAX] = 1000;
attribute [ATR_MANA] = 1000;
self.aivar[AIV_Damage] = self.attribute[ATR_HITPOINTS];
//----- Protections ----
protection [PROT_BLUNT] = 100000;
protection [PROT_EDGE] = 100000;
protection [PROT_POINT] = 100000;
protection [PROT_FIRE] = 100;
protection [PROT_FLY] = 100;
protection [PROT_MAGIC] = 100;
//----- Damage Types ----
damagetype = DAM_MAGIC;
// damage [DAM_INDEX_BLUNT] = 0;
// damage [DAM_INDEX_EDGE] = 0;
// damage [DAM_INDEX_POINT] = 0;
// damage [DAM_INDEX_FIRE] = 599;
// damage [DAM_INDEX_FLY] = 1;
// damage [DAM_INDEX_MAGIC] = 0;
//----- Kampf-Taktik ----
fight_tactic = FAI_GOBBO;
//----- Senses & Ranges ----
senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL;
senses_range = PERC_DIST_MONSTER_ACTIVE_MAX;
aivar[AIV_FightDistCancel] = FIGHT_DIST_CANCEL;
aivar[AIV_MM_FollowTime] = FOLLOWTIME_MEDIUM;
aivar[AIV_MM_FollowInWater] = FALSE;
Mdl_SetVisual (self, "Gobbo.mds");
// Body-Mesh Body-Tex Skin-Color Head-MMS Head-Tex Teeth-Tex ARMOR
Mdl_SetVisualBody (self, "KoboldGruen_Body", 0, DEFAULT, "", DEFAULT, DEFAULT, -1);
daily_routine = Rtn_Start_11073;
};
FUNC VOID Rtn_Start_11073()
{
TA_Roam (08,00,20,00,"ADW_PORTALTEMPEL_02");
TA_Roam (20,00,08,00,"ADW_PORTALTEMPEL_02");
};
FUNC VOID Rtn_Tot_11073()
{
TA_Roam (08,00,20,00,"TOT");
TA_Roam (20,00,08,00,"TOT");
};
|
D
|
/*
* Copyright (c) 2006-2012 Erin Catto http://www.box2d.org
*
* This software is provided 'as-is', without any express or implied
* warranty. In no event will the authors be held liable for any damages
* arising from the use of this software.
* Permission is granted to anyone to use this software for any purpose,
* including commercial applications, and to alter it and redistribute it
* freely, subject to the following restrictions:
* 1. The origin of this software must not be misrepresented; you must not
* claim that you wrote the original software. If you use this software
* in a product, an acknowledgment in the product documentation would be
* appreciated but is not required.
* 2. Altered source versions must be plainly marked as such, and must not be
* misrepresented as being the original software.
* 3. This notice may not be removed or altered from any source distribution.
*/
module dbox;
public
{
import dbox.collision;
import dbox.collision.shapes;
import dbox.common;
import dbox.dynamics;
import dbox.dynamics.contacts;
import dbox.dynamics.joints;
import dbox.rope;
}
|
D
|
/*******************************************************************************
* Copyright (c) 2000, 2008 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
* Port to the D programming language:
* Frank Benoit <benoit@tionex.de>
*******************************************************************************/
module dwtx.text.undo.DocumentUndoManagerRegistry;
import dwtx.text.undo.DocumentUndoManager; // packageimport
import dwtx.text.undo.DocumentUndoEvent; // packageimport
import dwtx.text.undo.IDocumentUndoListener; // packageimport
import dwtx.text.undo.UndoMessages; // packageimport
import dwtx.text.undo.IDocumentUndoManager; // packageimport
import dwt.dwthelper.utils;
import dwtx.dwtxhelper.Collection;
import dwtx.core.runtime.Assert;
import dwtx.jface.text.IDocument;
/**
* This document undo manager registry provides access to a document's
* undo manager. In order to connect a document a document undo manager
* call <code>connect</code>. After that call has successfully completed
* undo manager can be obtained via <code>getDocumentUndoManager</code>.
* The undo manager is created on the first connect and disposed on the last
* disconnect, i.e. this registry keeps track of how often a undo manager is
* connected and returns the same undo manager to each client as long as the
* document is connected.
* <p>
* <em>The recoding of changes starts with the first {@link #connect(IDocument)}.</em></p>
*
* @since 3.2
* @noinstantiate This class is not intended to be instantiated by clients.
*/
public final class DocumentUndoManagerRegistry {
private static final class Record {
public this(IDocument document) {
count= 0;
undoManager= new DocumentUndoManager(document);
}
private int count;
private IDocumentUndoManager undoManager;
}
private static Map fgFactory_;
private static Map fgFactory(){
if( fgFactory_ is null ) fgFactory_ = new HashMap();
return fgFactory_;
}
private this() {
// Do not instantiate
}
/**
* Connects the file at the given location to this manager. After that call
* successfully completed it is guaranteed that each call to <code>getFileBuffer</code>
* returns the same file buffer until <code>disconnect</code> is called.
* <p>
* <em>The recoding of changes starts with the first {@link #connect(IDocument)}.</em></p>
*
* @param document the document to be connected
*/
public static synchronized void connect(IDocument document) {
Assert.isNotNull(cast(Object)document);
Record record= cast(Record)fgFactory.get(cast(Object)document);
if (record is null) {
record= new Record(document);
fgFactory.put(cast(Object)document, record);
}
record.count++;
}
/**
* Disconnects the given document from this registry.
*
* @param document the document to be disconnected
*/
public static synchronized void disconnect(IDocument document) {
Assert.isNotNull(cast(Object)document);
Record record= cast(Record)fgFactory.get(cast(Object)document);
record.count--;
if (record.count is 0)
fgFactory.remove(cast(Object)document);
}
/**
* Returns the file buffer managed for the given location or <code>null</code>
* if there is no such file buffer.
* <p>
* The provided location is either a full path of a workspace resource or
* an absolute path in the local file system. The file buffer manager does
* not resolve the location of workspace resources in the case of linked
* resources.
* </p>
*
* @param document the document for which to get its undo manager
* @return the document undo manager or <code>null</code>
*/
public static synchronized IDocumentUndoManager getDocumentUndoManager(IDocument document) {
Assert.isNotNull(cast(Object)document);
Record record= cast(Record)fgFactory.get(cast(Object)document);
if (record is null)
return null;
return record.undoManager;
}
}
|
D
|
instance BDT_10027_Addon_Buddler(Npc_Default)
{
name[0] = NAME_Addon_Buddler;
guild = GIL_BDT;
id = 10027;
voice = 11;
flags = 0;
npcType = NPCTYPE_BL_MAIN;
B_SetAttributesToChapter(self,4);
fight_tactic = FAI_HUMAN_STRONG;
B_CreateAmbientInv(self);
B_SetNpcVisual(self,MALE,"Hum_Head_Bald",Face_N_NormalBart05,BodyTex_N,ITAR_Prisoner);
Mdl_SetModelFatness(self,1);
Mdl_ApplyOverlayMds(self,"Humans_Militia.mds");
B_GiveNpcTalents(self);
B_SetFightSkills(self,30);
daily_routine = Rtn_Start_10027;
};
func void Rtn_Start_10027()
{
TA_Smalltalk(6,0,12,0,"ADW_MINE_22");
TA_Smalltalk(12,0,6,0,"ADW_MINE_22");
};
func void Rtn_Work_10027()
{
TA_Pick_Ore(8,0,23,0,"ADW_MINE_PICK_05");
TA_Pick_Ore(23,0,8,0,"ADW_MINE_PICK_05");
};
|
D
|
/home/thodges/Workspace/Rust/the_rust_programming_language/chapter02/guessing_game/target/debug/deps/guessing_game-aa56b7f74938ef83: src/main.rs
/home/thodges/Workspace/Rust/the_rust_programming_language/chapter02/guessing_game/target/debug/deps/guessing_game-aa56b7f74938ef83.d: src/main.rs
src/main.rs:
|
D
|
//
//------------------------------------------------------------------------------
// Copyright 2012-2019 Coverify Systems Technology
// All Rights Reserved Worldwide
//
// Licensed under the Apache License, Version 2.0 (the
// "License"); you may not use this file except in
// compliance with the License. You may obtain a copy of
// the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in
// writing, software distributed under the License is
// distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR
// CONDITIONS OF ANY KIND, either express or implied. See
// the License for the specific language governing
// permissions and limitations under the License.
//------------------------------------------------------------------------------
module uvm.base.uvm_scope;
import std.traits: fullyQualifiedName;
class uvm_scope_base
{
static get_instance(T)() {
static T instance;
if (instance is null) {
instance = uvm_root_scope.get_scope!T();
}
return instance;
}
}
class uvm_root_scope
{
uvm_scope_base[ClassInfo] _uvm_scope_pool;
static string get_instance_name(T)() {
char[] name = (fullyQualifiedName!T).dup;
foreach (ref c; name) {
if (c == '.') {
c = '_';
}
}
name ~= "_";
return cast (string) name;
}
static T get_scope(T)() {
import uvm.base.uvm_entity: uvm_entity_base;
uvm_root_scope _scope = uvm_entity_base.get().root_scope();
synchronized (_scope) {
T instance;
enum string instName = get_instance_name!T;
static if (__traits(hasMember, uvm_root_scope, instName)) {
if (__traits(getMember, _scope, instName) is null) {
instance = new T();
__traits(getMember, _scope, instName) = instance;
}
else {
instance = cast (T) inst;
assert (instance !is null);
}
}
else {
// auto lookup = instName in _scope._uvm_scope_pool;
auto tid = typeid(T);
auto lookup = tid in _scope._uvm_scope_pool;
if (lookup !is null) {
instance = cast (T) *lookup;
assert (instance !is null);
}
else {
instance = new T();
// _scope._uvm_scope_pool[instName] = instance;
_scope._uvm_scope_pool[tid] = instance;
}
}
return instance;
}
}
}
|
D
|
/home/tyler/Documents/AdventOfCode/Rust/day_14_2/target/debug/deps/day_14_2-7e50b6940287e471: src/main.rs
/home/tyler/Documents/AdventOfCode/Rust/day_14_2/target/debug/deps/day_14_2-7e50b6940287e471.d: src/main.rs
src/main.rs:
|
D
|
/* $OpenBSD: ssl.h,v 1.230 2022/12/26 07:31:44 jmc Exp $ */
/* Copyright (C) 1995-1998 Eric Young (eay@cryptsoft.com)
* All rights reserved.
*
* This package is an SSL implementation written
* by Eric Young (eay@cryptsoft.com).
* The implementation was written so as to conform with Netscapes SSL.
*
* This library is free for commercial and non-commercial use as long as
* the following conditions are aheared to. The following conditions
* apply to all code found in this distribution, be it the RC4, RSA,
* lhash, DES, etc., code; not just the SSL code. The SSL documentation
* included with this distribution is covered by the same copyright terms
* except that the holder is Tim Hudson (tjh@cryptsoft.com).
*
* Copyright remains Eric Young's, and as such any Copyright notices in
* the code are not to be removed.
* If this package is used in a product, Eric Young should be given attribution
* as the author of the parts of the library used.
* This can be in the form of a textual message at program startup or
* in documentation (online or textual) provided with the package.
*
* 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 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 acknowledgement:
* "This product includes cryptographic software written by
* Eric Young (eay@cryptsoft.com)"
* The word 'cryptographic' can be left out if the rouines from the library
* being used are not cryptographic related :-).
* 4. If you include any Windows specific code (or a derivative thereof) from
* the apps directory (application code) you must include an acknowledgement:
* "This product includes software written by Tim Hudson (tjh@cryptsoft.com)"
*
* THIS SOFTWARE IS PROVIDED BY ERIC YOUNG ``AS IS'' AND
* ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE AUTHOR 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.
*
* The licence and distribution terms for any publically available version or
* derivative of this code cannot be changed. i.e. this code cannot simply be
* copied and put under another distribution licence
* [including the GNU Public Licence.]
*/
/* ====================================================================
* 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).
*
*/
/* ====================================================================
* Copyright 2002 Sun Microsystems, Inc. ALL RIGHTS RESERVED.
* ECC cipher suite support in OpenSSL originally developed by
* SUN MICROSYSTEMS, INC., and contributed to the OpenSSL project.
*/
/* ====================================================================
* Copyright 2005 Nokia. All rights reserved.
*
* The portions of the attached software ("Contribution") is developed by
* Nokia Corporation and is licensed pursuant to the OpenSSL open source
* license.
*
* The Contribution, originally written by Mika Kousa and Pasi Eronen of
* Nokia Corporation, consists of the "PSK" (Pre-Shared Key) ciphersuites
* support (see RFC 4279) to OpenSSL.
*
* No patent licenses or other rights except those expressly stated in
* the OpenSSL open source license shall be deemed granted or received
* expressly, by implication, estoppel, or otherwise.
*
* No assurances are provided by Nokia that the Contribution does not
* infringe the patent or other intellectual property rights of any third
* party or that the license provides you with all the necessary rights
* to make use of the Contribution.
*
* THE SOFTWARE IS PROVIDED "AS IS" WITHOUT WARRANTY OF ANY KIND. IN
* ADDITION TO THE DISCLAIMERS INCLUDED IN THE LICENSE, NOKIA
* SPECIFICALLY DISCLAIMS ANY LIABILITY FOR CLAIMS BROUGHT BY YOU OR ANY
* OTHER ENTITY BASED ON INFRINGEMENT OF INTELLECTUAL PROPERTY RIGHTS OR
* OTHERWISE.
*/
module libressl.openssl.ssl;
private static import core.stdc.config;
private static import libressl.compat.stdio;
private static import libressl.openssl.asn1;
private static import libressl.openssl.crypto;
private static import libressl.openssl.ec;
private static import libressl.openssl.opensslfeatures;
private static import libressl.openssl.ossl_typ;
private static import libressl.openssl.stack;
private static import libressl.openssl.x509;
public import core.stdc.stdint;
public import libressl.openssl.bio;
public import libressl.openssl.dtls1;
public import libressl.openssl.hmac;
public import libressl.openssl.opensslconf;
public import libressl.openssl.pem;
public import libressl.openssl.safestack;
public import libressl.openssl.srtp;
public import libressl.openssl.ssl23;
public import libressl.openssl.ssl2;
public import libressl.openssl.ssl3;
public import libressl.openssl.tls1;
version (LIBRESSL_HAS_QUIC) {
version = LIBRESSL_HAS_QUIC_OR_LIBRESSL_INTERNAL;
} else version (LIBRESSL_INTERNAL) {
version = LIBRESSL_HAS_QUIC_OR_LIBRESSL_INTERNAL;
}
version (OPENSSL_NO_DEPRECATED) {
private struct stack_st_X509_NAME;
private struct stack_st_X509;
} else {
public import libressl.openssl.buffer;
public import libressl.openssl.crypto;
public import libressl.openssl.lhash;
version (OPENSSL_NO_X509) {
private struct stack_st_X509_NAME;
private struct stack_st_X509;
} else {
public import libressl.openssl.x509;
private alias stack_st_X509_NAME = libressl.openssl.x509.stack_st_X509_NAME;
private alias stack_st_X509 = libressl.openssl.x509.stack_st_X509;
}
}
//public import libressl.openssl.dtls1; /* Datagram TLS */
//public import libressl.openssl.srtp; /* Support for the use_srtp extension */
//public import libressl.openssl.tls1; /* This is mostly sslv3 with a few tweaks */
extern (C):
nothrow @nogc:
/* SSLeay version number for ASN.1 encoding of the session information */
/*
* Version 0 - initial version
* Version 1 - added the optional peer certificate
*/
enum SSL_SESSION_ASN1_VERSION = 0x0001;
/* text strings for the ciphers */
enum SSL_TXT_NULL_WITH_MD5 = libressl.openssl.ssl2.SSL2_TXT_NULL_WITH_MD5;
enum SSL_TXT_RC4_128_WITH_MD5 = libressl.openssl.ssl2.SSL2_TXT_RC4_128_WITH_MD5;
enum SSL_TXT_RC4_128_EXPORT40_WITH_MD5 = libressl.openssl.ssl2.SSL2_TXT_RC4_128_EXPORT40_WITH_MD5;
enum SSL_TXT_RC2_128_CBC_WITH_MD5 = libressl.openssl.ssl2.SSL2_TXT_RC2_128_CBC_WITH_MD5;
enum SSL_TXT_RC2_128_CBC_EXPORT40_WITH_MD5 = libressl.openssl.ssl2.SSL2_TXT_RC2_128_CBC_EXPORT40_WITH_MD5;
enum SSL_TXT_IDEA_128_CBC_WITH_MD5 = libressl.openssl.ssl2.SSL2_TXT_IDEA_128_CBC_WITH_MD5;
enum SSL_TXT_DES_64_CBC_WITH_MD5 = libressl.openssl.ssl2.SSL2_TXT_DES_64_CBC_WITH_MD5;
enum SSL_TXT_DES_64_CBC_WITH_SHA = libressl.openssl.ssl2.SSL2_TXT_DES_64_CBC_WITH_SHA;
enum SSL_TXT_DES_192_EDE3_CBC_WITH_MD5 = libressl.openssl.ssl2.SSL2_TXT_DES_192_EDE3_CBC_WITH_MD5;
enum SSL_TXT_DES_192_EDE3_CBC_WITH_SHA = libressl.openssl.ssl2.SSL2_TXT_DES_192_EDE3_CBC_WITH_SHA;
/*
* VRS Additional Kerberos5 entries
*/
enum SSL_TXT_KRB5_DES_64_CBC_SHA = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_64_CBC_SHA;
enum SSL_TXT_KRB5_DES_192_CBC3_SHA = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_192_CBC3_SHA;
enum SSL_TXT_KRB5_RC4_128_SHA = libressl.openssl.ssl3.SSL3_TXT_KRB5_RC4_128_SHA;
enum SSL_TXT_KRB5_IDEA_128_CBC_SHA = libressl.openssl.ssl3.SSL3_TXT_KRB5_IDEA_128_CBC_SHA;
enum SSL_TXT_KRB5_DES_64_CBC_MD5 = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_64_CBC_MD5;
enum SSL_TXT_KRB5_DES_192_CBC3_MD5 = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_192_CBC3_MD5;
enum SSL_TXT_KRB5_RC4_128_MD5 = libressl.openssl.ssl3.SSL3_TXT_KRB5_RC4_128_MD5;
enum SSL_TXT_KRB5_IDEA_128_CBC_MD5 = libressl.openssl.ssl3.SSL3_TXT_KRB5_IDEA_128_CBC_MD5;
enum SSL_TXT_KRB5_DES_40_CBC_SHA = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_40_CBC_SHA;
enum SSL_TXT_KRB5_RC2_40_CBC_SHA = libressl.openssl.ssl3.SSL3_TXT_KRB5_RC2_40_CBC_SHA;
enum SSL_TXT_KRB5_RC4_40_SHA = libressl.openssl.ssl3.SSL3_TXT_KRB5_RC4_40_SHA;
enum SSL_TXT_KRB5_DES_40_CBC_MD5 = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_40_CBC_MD5;
enum SSL_TXT_KRB5_RC2_40_CBC_MD5 = libressl.openssl.ssl3.SSL3_TXT_KRB5_RC2_40_CBC_MD5;
enum SSL_TXT_KRB5_RC4_40_MD5 = libressl.openssl.ssl3.SSL3_TXT_KRB5_RC4_40_MD5;
//enum SSL_TXT_KRB5_DES_40_CBC_SHA = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_40_CBC_SHA;
//enum SSL_TXT_KRB5_DES_40_CBC_MD5 = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_40_CBC_MD5;
//enum SSL_TXT_KRB5_DES_64_CBC_SHA = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_64_CBC_SHA;
//enum SSL_TXT_KRB5_DES_64_CBC_MD5 = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_64_CBC_MD5;
//enum SSL_TXT_KRB5_DES_192_CBC3_SHA = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_192_CBC3_SHA;
//enum SSL_TXT_KRB5_DES_192_CBC3_MD5 = libressl.openssl.ssl3.SSL3_TXT_KRB5_DES_192_CBC3_MD5;
enum SSL_MAX_KRB5_PRINCIPAL_LENGTH = 256;
enum SSL_MAX_SSL_SESSION_ID_LENGTH = 32;
enum SSL_MAX_SID_CTX_LENGTH = 32;
enum SSL_MIN_RSA_MODULUS_LENGTH_IN_BYTES = 512 / 8;
enum SSL_MAX_KEY_ARG_LENGTH = 8;
enum SSL_MAX_MASTER_KEY_LENGTH = 48;
/* These are used to specify which ciphers to use and not to use */
enum SSL_TXT_LOW = "LOW";
enum SSL_TXT_MEDIUM = "MEDIUM";
enum SSL_TXT_HIGH = "HIGH";
/**
* unused!
*/
enum SSL_TXT_kFZA = "kFZA";
///Ditto
enum SSL_TXT_aFZA = "aFZA";
///Ditto
enum SSL_TXT_eFZA = "eFZA";
///Ditto
enum SSL_TXT_FZA = "FZA";
enum SSL_TXT_aNULL = "aNULL";
enum SSL_TXT_eNULL = "eNULL";
enum SSL_TXT_NULL = "null";
enum SSL_TXT_kRSA = "kRSA";
/**
* no such ciphersuites supported!
*/
enum SSL_TXT_kDHr = "kDHr";
///Ditto
enum SSL_TXT_kDHd = "kDHd";
///Ditto
enum SSL_TXT_kDH = "kDH";
enum SSL_TXT_kEDH = "kEDH";
enum SSL_TXT_kKRB5 = "kKRB5";
enum SSL_TXT_kECDHr = "kECDHr";
enum SSL_TXT_kECDHe = "kECDHe";
enum SSL_TXT_kECDH = "kECDH";
enum SSL_TXT_kEECDH = "kEECDH";
enum SSL_TXT_kPSK = "kPSK";
enum SSL_TXT_kGOST = "kGOST";
enum SSL_TXT_kSRP = "kSRP";
enum SSL_TXT_aRSA = "aRSA";
enum SSL_TXT_aDSS = "aDSS";
/**
* no such ciphersuites supported!
*/
enum SSL_TXT_aDH = "aDH";
enum SSL_TXT_aECDH = "aECDH";
enum SSL_TXT_aKRB5 = "aKRB5";
enum SSL_TXT_aECDSA = "aECDSA";
enum SSL_TXT_aPSK = "aPSK";
enum SSL_TXT_aGOST94 = "aGOST94";
enum SSL_TXT_aGOST01 = "aGOST01";
enum SSL_TXT_aGOST = "aGOST";
enum SSL_TXT_DSS = "DSS";
enum SSL_TXT_DH = "DH";
/**
* same as "kDHE:-ADH"
*/
enum SSL_TXT_DHE = "DHE";
/**
* previous name for DHE
*/
enum SSL_TXT_EDH = "EDH";
enum SSL_TXT_ADH = "ADH";
enum SSL_TXT_RSA = "RSA";
enum SSL_TXT_ECDH = "ECDH";
/**
* same as "kECDHE:-AECDH"
*/
enum SSL_TXT_ECDHE = "ECDHE";
/**
* previous name for ECDHE
*/
enum SSL_TXT_EECDH = "EECDH";
enum SSL_TXT_AECDH = "AECDH";
enum SSL_TXT_ECDSA = "ECDSA";
enum SSL_TXT_KRB5 = "KRB5";
enum SSL_TXT_PSK = "PSK";
enum SSL_TXT_SRP = "SRP";
enum SSL_TXT_DES = "DES";
enum SSL_TXT_3DES = "3DES";
enum SSL_TXT_RC4 = "RC4";
enum SSL_TXT_RC2 = "RC2";
enum SSL_TXT_IDEA = "IDEA";
enum SSL_TXT_SEED = "SEED";
enum SSL_TXT_AES128 = "AES128";
enum SSL_TXT_AES256 = "AES256";
enum SSL_TXT_AES = "AES";
enum SSL_TXT_AES_GCM = "AESGCM";
enum SSL_TXT_CAMELLIA128 = "CAMELLIA128";
enum SSL_TXT_CAMELLIA256 = "CAMELLIA256";
enum SSL_TXT_CAMELLIA = "CAMELLIA";
enum SSL_TXT_CHACHA20 = "CHACHA20";
enum SSL_TXT_AEAD = "AEAD";
enum SSL_TXT_MD5 = "MD5";
enum SSL_TXT_SHA1 = "SHA1";
/**
* same as "SHA1"
*/
enum SSL_TXT_SHA = "SHA";
enum SSL_TXT_GOST94 = "GOST94";
enum SSL_TXT_GOST89MAC = "GOST89MAC";
enum SSL_TXT_SHA256 = "SHA256";
enum SSL_TXT_SHA384 = "SHA384";
enum SSL_TXT_STREEBOG256 = "STREEBOG256";
enum SSL_TXT_STREEBOG512 = "STREEBOG512";
enum SSL_TXT_DTLS1 = "DTLSv1";
enum SSL_TXT_DTLS1_2 = "DTLSv1.2";
enum SSL_TXT_SSLV2 = "SSLv2";
enum SSL_TXT_SSLV3 = "SSLv3";
enum SSL_TXT_TLSV1 = "TLSv1";
enum SSL_TXT_TLSV1_1 = "TLSv1.1";
enum SSL_TXT_TLSV1_2 = "TLSv1.2";
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
enum SSL_TXT_TLSV1_3 = "TLSv1.3";
}
enum SSL_TXT_EXP = "EXP";
enum SSL_TXT_EXPORT = "EXPORT";
enum SSL_TXT_ALL = "ALL";
/*
* COMPLEMENTOF* definitions. These identifiers are used to (de-select)
* ciphers normally not being used.
* Example: "RC4" will activate all ciphers using RC4 including ciphers
* without authentication, which would normally disabled by DEFAULT (due
* the "!ADH" being part of default). Therefore "RC4:!COMPLEMENTOFDEFAULT"
* will make sure that it is also disabled in the specific selection.
* COMPLEMENTOF* identifiers are portable between version, as adjustments
* to the default cipher setup will also be included here.
*
* COMPLEMENTOFDEFAULT does not experience the same special treatment that
* DEFAULT gets, as only selection is being done and no sorting as needed
* for DEFAULT.
*/
enum SSL_TXT_CMPALL = "COMPLEMENTOFALL";
enum SSL_TXT_CMPDEF = "COMPLEMENTOFDEFAULT";
/*
* The following cipher list is used by default.
* It also is substituted when an application-defined cipher list string
* starts with 'DEFAULT'.
*/
enum SSL_DEFAULT_CIPHER_LIST = "ALL:!aNULL:!eNULL:!SSLv2";
/*
* As of OpenSSL 1.0.0, ssl_create_cipher_list() in ssl/ssl_ciph.c always
* starts with a reasonable order, and all we have to do for DEFAULT is
* throwing out anonymous and unencrypted ciphersuites!
* (The latter are not actually enabled by ALL, but "ALL:RSA" would enable
* some of them.)
*/
/* Used in SSL_set_shutdown()/SSL_get_shutdown(); */
enum SSL_SENT_SHUTDOWN = 1;
enum SSL_RECEIVED_SHUTDOWN = 2;
enum SSL_FILETYPE_ASN1 = libressl.openssl.x509.X509_FILETYPE_ASN1;
enum SSL_FILETYPE_PEM = libressl.openssl.x509.X509_FILETYPE_PEM;
/*
* This is needed to stop compilers complaining about the
* 'struct ssl_st *' function parameters used to prototype callbacks
* in SSL_CTX.
*/
alias ssl_crock_st = libressl.openssl.ossl_typ.ssl_st*;
version (all) {
struct ssl_method_st;
struct ssl_cipher_st;
struct ssl_session_st;
}
alias SSL_METHOD = .ssl_method_st;
alias SSL_CIPHER = .ssl_cipher_st;
alias SSL_SESSION = .ssl_session_st;
//DECLARE_STACK_OF(SSL_CIPHER)
struct stack_st_SSL_CIPHER
{
libressl.openssl.stack._STACK stack;
}
/**
* SRTP protection profiles for use with the use_srtp extension (RFC 5764)
*/
struct srtp_protection_profile_st
{
const (char)* name;
core.stdc.config.c_ulong id;
}
alias SRTP_PROTECTION_PROFILE = .srtp_protection_profile_st;
//DECLARE_STACK_OF(SRTP_PROTECTION_PROFILE)
struct stack_st_SRTP_PROTECTION_PROFILE
{
libressl.openssl.stack._STACK stack;
}
alias tls_session_ticket_ext_cb_fn = extern (C) nothrow @nogc int function(libressl.openssl.ossl_typ.SSL* s, const (ubyte)* data, int len, void* arg);
alias tls_session_secret_cb_fn = extern (C) nothrow @nogc int function(libressl.openssl.ossl_typ.SSL* s, void* secret, int* secret_len, .stack_st_SSL_CIPHER * peer_ciphers, .SSL_CIPHER** cipher, void* arg);
/**
* Allow initial connection to servers that don't support RI
*/
enum SSL_OP_LEGACY_SERVER_CONNECT = 0x00000004L;
/**
* Disable SSL 3.0/TLS 1.0 CBC vulnerability workaround that was added
* in OpenSSL 0.9.6d. Usually (depending on the application protocol)
* the workaround is not needed.
* Unfortunately some broken SSL/TLS implementations cannot handle it
* at all, which is why it was previously included in SSL_OP_ALL.
* Now it's not.
*/
enum SSL_OP_DONT_INSERT_EMPTY_FRAGMENTS = 0x00000800L;
/**
* DTLS options
*/
enum SSL_OP_NO_QUERY_MTU = 0x00001000L;
/**
* Turn on Cookie Exchange (on relevant for servers)
*/
enum SSL_OP_COOKIE_EXCHANGE = 0x00002000L;
/**
* Don't use RFC4507 ticket extension
*/
enum SSL_OP_NO_TICKET = 0x00004000L;
/**
* As server, disallow session resumption on renegotiation
*/
enum SSL_OP_NO_SESSION_RESUMPTION_ON_RENEGOTIATION = 0x00010000L;
/**
* Disallow client initiated renegotiation.
*/
enum SSL_OP_NO_CLIENT_RENEGOTIATION = 0x00020000L;
/**
* If set, always create a new key when using tmp_dh parameters
*/
enum SSL_OP_SINGLE_DH_USE = 0x00100000L;
/**
* Set on servers to choose the cipher according to the server's
* preferences
*/
enum SSL_OP_CIPHER_SERVER_PREFERENCE = 0x00400000L;
enum SSL_OP_NO_TLSv1 = 0x04000000L;
enum SSL_OP_NO_TLSv1_2 = 0x08000000L;
enum SSL_OP_NO_TLSv1_1 = 0x10000000L;
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
enum SSL_OP_NO_TLSv1_3 = 0x20000000L;
}
enum SSL_OP_NO_DTLSv1 = 0x40000000L;
enum SSL_OP_NO_DTLSv1_2 = 0x80000000L;
/**
* SSL_OP_ALL: various bug workarounds that should be rather harmless.
*/
enum SSL_OP_ALL = .SSL_OP_LEGACY_SERVER_CONNECT;
/* Obsolete flags kept for compatibility. No sane code should use them. */
enum SSL_OP_ALLOW_UNSAFE_LEGACY_RENEGOTIATION = 0x00;
enum SSL_OP_CISCO_ANYCONNECT = 0x00;
enum SSL_OP_CRYPTOPRO_TLSEXT_BUG = 0x00;
enum SSL_OP_EPHEMERAL_RSA = 0x00;
enum SSL_OP_MICROSOFT_BIG_SSLV3_BUFFER = 0x00;
enum SSL_OP_MICROSOFT_SESS_ID_BUG = 0x00;
enum SSL_OP_MSIE_SSLV2_RSA_PADDING = 0x00;
enum SSL_OP_NETSCAPE_CA_DN_BUG = 0x00;
enum SSL_OP_NETSCAPE_CHALLENGE_BUG = 0x00;
enum SSL_OP_NETSCAPE_DEMO_CIPHER_CHANGE_BUG = 0x00;
enum SSL_OP_NETSCAPE_REUSE_CIPHER_CHANGE_BUG = 0x00;
enum SSL_OP_NO_COMPRESSION = 0x00;
enum SSL_OP_NO_SSLv2 = 0x00;
enum SSL_OP_NO_SSLv3 = 0x00;
enum SSL_OP_PKCS1_CHECK_1 = 0x00;
enum SSL_OP_PKCS1_CHECK_2 = 0x00;
enum SSL_OP_SAFARI_ECDHE_ECDSA_BUG = 0x00;
enum SSL_OP_SINGLE_ECDH_USE = 0x00;
enum SSL_OP_SSLEAY_080_CLIENT_DH_BUG = 0x00;
enum SSL_OP_SSLREF2_REUSE_CERT_TYPE_BUG = 0x00;
enum SSL_OP_TLSEXT_PADDING = 0x00;
enum SSL_OP_TLS_BLOCK_PADDING_BUG = 0x00;
enum SSL_OP_TLS_D5_BUG = 0x00;
enum SSL_OP_TLS_ROLLBACK_BUG = 0x00;
/**
* Allow SSL_write(..., n) to return r with 0 < r < n (i.e. report success
* when just a single record has been written):
*/
enum SSL_MODE_ENABLE_PARTIAL_WRITE = 0x00000001L;
/**
* Make it possible to retry SSL_write() with changed buffer location
* (buffer contents must stay the same!); this is not the default to avoid
* the misconception that non-blocking SSL_write() behaves like
* non-blocking write():
*/
enum SSL_MODE_ACCEPT_MOVING_WRITE_BUFFER = 0x00000002L;
/**
* Never bother the application with retries if the transport
* is blocking:
*/
enum SSL_MODE_AUTO_RETRY = 0x00000004L;
/**
* Don't attempt to automatically build certificate chain
*/
enum SSL_MODE_NO_AUTO_CHAIN = 0x00000008L;
/**
* Save RAM by releasing read and write buffers when they're empty. (SSL3 and
* TLS only.) "Released" buffers are put onto a free-list in the context
* or just freed (depending on the context's setting for freelist_max_len).
*/
enum SSL_MODE_RELEASE_BUFFERS = 0x00000010L;
/*
* Note: SSL[_CTX]_set_{options,mode} use |= op on the previous value,
* they cannot be used to clear bits.
*/
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_options(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long op)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_OPTIONS, op, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_clear_options(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long op)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_CLEAR_OPTIONS, op, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_get_options(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_OPTIONS, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_options(libressl.openssl.ossl_typ.SSL* ssl, core.stdc.config.c_long op)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_OPTIONS, op, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_clear_options(libressl.openssl.ossl_typ.SSL* ssl, core.stdc.config.c_long op)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_CLEAR_OPTIONS, op, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_get_options(libressl.openssl.ossl_typ.SSL* ssl)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_OPTIONS, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_mode(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long op)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_MODE, op, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_clear_mode(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long op)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_CLEAR_MODE, op, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_get_mode(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_MODE, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_clear_mode(libressl.openssl.ossl_typ.SSL* ssl, core.stdc.config.c_long op)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_CLEAR_MODE, op, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_mode(libressl.openssl.ossl_typ.SSL* ssl, core.stdc.config.c_long op)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_MODE, op, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_get_mode(libressl.openssl.ossl_typ.SSL* ssl)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_MODE, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_mtu(libressl.openssl.ossl_typ.SSL* ssl, core.stdc.config.c_long mtu)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_SET_MTU, mtu, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_get_secure_renegotiation_support(libressl.openssl.ossl_typ.SSL* ssl)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_GET_RI_SUPPORT, 0, null);
}
void SSL_CTX_set_msg_callback(libressl.openssl.ossl_typ.SSL_CTX* ctx, void function(int write_p, int version_, int content_type, const (void)* buf, size_t len, libressl.openssl.ossl_typ.SSL* ssl, void* arg) nothrow @nogc cb);
void SSL_set_msg_callback(libressl.openssl.ossl_typ.SSL* ssl, void function(int write_p, int version_, int content_type, const (void)* buf, size_t len, libressl.openssl.ossl_typ.SSL* ssl, void* arg) nothrow @nogc cb);
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_msg_callback_arg(libressl.openssl.ossl_typ.SSL_CTX* ctx, void* arg)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_MSG_CALLBACK_ARG, 0, arg);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_msg_callback_arg(libressl.openssl.ossl_typ.SSL* ssl, void* arg)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_SET_MSG_CALLBACK_ARG, 0, arg);
}
alias SSL_CTX_keylog_cb_func = extern (C) nothrow @nogc void function(const (libressl.openssl.ossl_typ.SSL)* ssl, const (char)* line);
void SSL_CTX_set_keylog_callback(libressl.openssl.ossl_typ.SSL_CTX* ctx, .SSL_CTX_keylog_cb_func cb);
.SSL_CTX_keylog_cb_func SSL_CTX_get_keylog_callback(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
int SSL_set_num_tickets(libressl.openssl.ossl_typ.SSL* s, size_t num_tickets);
size_t SSL_get_num_tickets(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_CTX_set_num_tickets(libressl.openssl.ossl_typ.SSL_CTX* ctx, size_t num_tickets);
size_t SSL_CTX_get_num_tickets(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
.stack_st_X509* SSL_get0_verified_chain(const (libressl.openssl.ossl_typ.SSL)* s);
version (LIBRESSL_INTERNAL) {
} else {
struct ssl_aead_ctx_st;
alias SSL_AEAD_CTX = .ssl_aead_ctx_st;
}
/**
* 100k max cert list :-\)
*/
enum SSL_MAX_CERT_LIST_DEFAULT = 1024 * 100;
enum SSL_SESSION_CACHE_MAX_SIZE_DEFAULT = 1024 * 20;
/**
* This callback type is used inside SSL_CTX, SSL, and in the functions that set
* them. It is used to override the generation of SSL/TLS session IDs in a
* server. Return value should be zero on an error, non-zero to proceed. Also,
* callbacks should themselves check if the id they generate is unique otherwise
* the SSL handshake will fail with an error - callbacks can do this using the
* 'ssl' value they're passed by;
* SSL_has_matching_session_id(ssl, id, *id_len)
* The length value passed in is set at the maximum size the session ID can be.
* In SSLv2 this is 16 bytes, whereas SSLv3/TLSv1 it is 32 bytes. The callback
* can alter this length to be less if desired, but under SSLv2 session IDs are
* supposed to be fixed at 16 bytes so the id will be padded after the callback
* returns in this case. It is also an error for the callback to set the size to
* zero.
*/
alias GEN_SESSION_CB = extern (C) nothrow @nogc int function(const (libressl.openssl.ossl_typ.SSL)* ssl, ubyte* id, uint* id_len);
struct ssl_comp_st;
alias SSL_COMP = .ssl_comp_st;
version (LIBRESSL_INTERNAL) {
//DECLARE_STACK_OF(SSL_COMP)
struct stack_st_SSL_COMP
{
libressl.openssl.stack._STACK stack;
}
struct lhash_st_SSL_SESSION
{
int dummy;
}
} else {
struct lhash_st_SSL_SESSION;
}
enum SSL_SESS_CACHE_OFF = 0x0000;
enum SSL_SESS_CACHE_CLIENT = 0x0001;
enum SSL_SESS_CACHE_SERVER = 0x0002;
enum SSL_SESS_CACHE_BOTH = .SSL_SESS_CACHE_CLIENT | .SSL_SESS_CACHE_SERVER;
enum SSL_SESS_CACHE_NO_AUTO_CLEAR = 0x0080;
/* enough comments already ... see SSL_CTX_set_session_cache_mode(3) */
enum SSL_SESS_CACHE_NO_INTERNAL_LOOKUP = 0x0100;
enum SSL_SESS_CACHE_NO_INTERNAL_STORE = 0x0200;
enum SSL_SESS_CACHE_NO_INTERNAL = .SSL_SESS_CACHE_NO_INTERNAL_LOOKUP | .SSL_SESS_CACHE_NO_INTERNAL_STORE;
.lhash_st_SSL_SESSION* SSL_CTX_sessions(libressl.openssl.ossl_typ.SSL_CTX* ctx);
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_number(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_NUMBER, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_connect(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_CONNECT, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_connect_good(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_CONNECT_GOOD, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_connect_renegotiate(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_CONNECT_RENEGOTIATE, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_accept(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_ACCEPT, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_accept_renegotiate(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_ACCEPT_RENEGOTIATE, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_accept_good(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_ACCEPT_GOOD, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_hits(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_HIT, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_cb_hits(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_CB_HIT, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_misses(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_MISSES, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_timeouts(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_TIMEOUTS, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_cache_full(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SESS_CACHE_FULL, 0, null);
}
void SSL_CTX_sess_set_new_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx, int function(libressl.openssl.ossl_typ.ssl_st* ssl, .SSL_SESSION* sess) nothrow @nogc new_session_cb);
//int (*SSL_CTX_sess_get_new_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx))(libressl.openssl.ossl_typ.ssl_st* ssl, .SSL_SESSION* sess);
void SSL_CTX_sess_set_remove_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx, void function(libressl.openssl.ossl_typ.ssl_ctx_st* ctx, .SSL_SESSION* sess) nothrow @nogc remove_session_cb);
//void (*SSL_CTX_sess_get_remove_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx))(libressl.openssl.ossl_typ.ssl_ctx_st* ctx, .SSL_SESSION* sess);
void SSL_CTX_sess_set_get_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx, .SSL_SESSION* function(libressl.openssl.ossl_typ.ssl_st* ssl, const (ubyte)* data, int len, int* copy) nothrow @nogc get_session_cb);
//.SSL_SESSION* (*SSL_CTX_sess_get_get_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx))(libressl.openssl.ossl_typ.ssl_st* ssl, const (ubyte)* data, int len, int* copy);
void SSL_CTX_set_info_callback(libressl.openssl.ossl_typ.SSL_CTX* ctx, void function(const (libressl.openssl.ossl_typ.SSL)* ssl, int type, int val) nothrow @nogc cb);
//void (*SSL_CTX_get_info_callback(libressl.openssl.ossl_typ.SSL_CTX* ctx))(const (libressl.openssl.ossl_typ.SSL)* ssl, int type, int val);
void SSL_CTX_set_client_cert_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx, int function(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.X509** x509, libressl.openssl.ossl_typ.EVP_PKEY** pkey) nothrow @nogc client_cert_cb);
//int (*SSL_CTX_get_client_cert_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx))(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.X509** x509, libressl.openssl.ossl_typ.EVP_PKEY** pkey);
version (OPENSSL_NO_ENGINE) {
} else {
int SSL_CTX_set_client_cert_engine(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ossl_typ.ENGINE* e);
}
void SSL_CTX_set_cookie_generate_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx, int function(libressl.openssl.ossl_typ.SSL* ssl, ubyte* cookie, uint* cookie_len) nothrow @nogc app_gen_cookie_cb);
void SSL_CTX_set_cookie_verify_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx, int function(libressl.openssl.ossl_typ.SSL* ssl, const (ubyte)* cookie, uint cookie_len) nothrow @nogc app_verify_cookie_cb);
void SSL_CTX_set_next_protos_advertised_cb(libressl.openssl.ossl_typ.SSL_CTX* s, int function(libressl.openssl.ossl_typ.SSL* ssl, const (ubyte)** out_, uint* outlen, void* arg) nothrow @nogc cb, void* arg);
void SSL_CTX_set_next_proto_select_cb(libressl.openssl.ossl_typ.SSL_CTX* s, int function(libressl.openssl.ossl_typ.SSL* ssl, ubyte** out_, ubyte* outlen, const (ubyte)* in_, uint inlen, void* arg) nothrow @nogc cb, void* arg);
int SSL_select_next_proto(ubyte** out_, ubyte* outlen, const (ubyte)* in_, uint inlen, const (ubyte)* client, uint client_len);
void SSL_get0_next_proto_negotiated(const (libressl.openssl.ossl_typ.SSL)* s, const (ubyte)** data, uint* len);
enum OPENSSL_NPN_UNSUPPORTED = 0;
enum OPENSSL_NPN_NEGOTIATED = 1;
enum OPENSSL_NPN_NO_OVERLAP = 2;
int SSL_CTX_set_alpn_protos(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (ubyte)* protos, uint protos_len);
int SSL_set_alpn_protos(libressl.openssl.ossl_typ.SSL* ssl, const (ubyte)* protos, uint protos_len);
void SSL_CTX_set_alpn_select_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx, int function(libressl.openssl.ossl_typ.SSL* ssl, const (ubyte)** out_, ubyte* outlen, const (ubyte)* in_, uint inlen, void* arg) nothrow @nogc cb, void* arg);
void SSL_get0_alpn_selected(const (libressl.openssl.ossl_typ.SSL)* ssl, const (ubyte)** data, uint* len);
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
alias SSL_psk_use_session_cb_func = extern (C) nothrow @nogc int function(libressl.openssl.ossl_typ.SSL* ssl, const (libressl.openssl.ossl_typ.EVP_MD)* md, const (ubyte)** id, size_t* idlen, .SSL_SESSION** sess);
void SSL_set_psk_use_session_callback(libressl.openssl.ossl_typ.SSL* s, .SSL_psk_use_session_cb_func cb);
}
enum SSL_NOTHING = 1;
enum SSL_WRITING = 2;
enum SSL_READING = 3;
enum SSL_X509_LOOKUP = 4;
/* These will only be used when doing non-blocking IO */
pragma(inline, true)
bool SSL_want_nothing(const (libressl.openssl.ossl_typ.SSL)* s)
do
{
return .SSL_want(s) == .SSL_NOTHING;
}
pragma(inline, true)
bool SSL_want_read(const (libressl.openssl.ossl_typ.SSL)* s)
do
{
return .SSL_want(s) == .SSL_READING;
}
pragma(inline, true)
bool SSL_want_write(const (libressl.openssl.ossl_typ.SSL)* s)
do
{
return .SSL_want(s) == .SSL_WRITING;
}
pragma(inline, true)
bool SSL_want_x509_lookup(const (libressl.openssl.ossl_typ.SSL)* s)
do
{
return .SSL_want(s) == .SSL_X509_LOOKUP;
}
enum SSL_MAC_FLAG_READ_MAC_STREAM = 1;
enum SSL_MAC_FLAG_WRITE_MAC_STREAM = 2;
/* compatibility */
pragma(inline, true)
int SSL_set_app_data(libressl.openssl.ossl_typ.SSL* s, char* arg)
do
{
return .SSL_set_ex_data(s, 0, arg);
}
pragma(inline, true)
void* SSL_get_app_data(const (libressl.openssl.ossl_typ.SSL)* s)
do
{
return .SSL_get_ex_data(s, 0);
}
pragma(inline, true)
int SSL_SESSION_set_app_data(.SSL_SESSION* s, char* a)
do
{
return .SSL_SESSION_set_ex_data(s, 0, a);
}
pragma(inline, true)
void* SSL_SESSION_get_app_data(const (.SSL_SESSION)* s)
do
{
return .SSL_SESSION_get_ex_data(s, 0);
}
pragma(inline, true)
void* SSL_CTX_get_app_data(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx)
do
{
return .SSL_CTX_get_ex_data(ctx, 0);
}
pragma(inline, true)
int SSL_CTX_set_app_data(libressl.openssl.ossl_typ.SSL_CTX* ctx, char* arg)
do
{
return .SSL_CTX_set_ex_data(ctx, 0, arg);
}
/*
* The following are the possible values for ssl.state are are
* used to indicate where we are up to in the SSL connection establishment.
* The macros that follow are about the only things you should need to use
* and even then, only when using non-blocking IO.
* It can also be useful to work out where you were when the connection
* failed
*/
enum SSL_ST_CONNECT = 0x1000;
enum SSL_ST_ACCEPT = 0x2000;
enum SSL_ST_MASK = 0x0FFF;
enum SSL_ST_INIT = .SSL_ST_CONNECT | .SSL_ST_ACCEPT;
enum SSL_ST_BEFORE = 0x4000;
enum SSL_ST_OK = 0x03;
enum SSL_ST_RENEGOTIATE = 0x04 | .SSL_ST_INIT;
enum SSL_CB_LOOP = 0x01;
enum SSL_CB_EXIT = 0x02;
enum SSL_CB_READ = 0x04;
enum SSL_CB_WRITE = 0x08;
/**
* used in callback
*/
enum SSL_CB_ALERT = 0x4000;
enum SSL_CB_READ_ALERT = .SSL_CB_ALERT | .SSL_CB_READ;
enum SSL_CB_WRITE_ALERT = .SSL_CB_ALERT | .SSL_CB_WRITE;
enum SSL_CB_ACCEPT_LOOP = .SSL_ST_ACCEPT | .SSL_CB_LOOP;
enum SSL_CB_ACCEPT_EXIT = .SSL_ST_ACCEPT | .SSL_CB_EXIT;
enum SSL_CB_CONNECT_LOOP = .SSL_ST_CONNECT | .SSL_CB_LOOP;
enum SSL_CB_CONNECT_EXIT = .SSL_ST_CONNECT | .SSL_CB_EXIT;
enum SSL_CB_HANDSHAKE_START = 0x10;
enum SSL_CB_HANDSHAKE_DONE = 0x20;
/* Is the SSL_connection established? */
alias SSL_get_state = .SSL_state;
pragma(inline, true)
bool SSL_is_init_finished(const (libressl.openssl.ossl_typ.SSL)* a)
do
{
return .SSL_state(a) == .SSL_ST_OK;
}
pragma(inline, true)
int SSL_in_init(const (libressl.openssl.ossl_typ.SSL)* a)
do
{
return .SSL_state(a) & .SSL_ST_INIT;
}
pragma(inline, true)
int SSL_in_before(const (libressl.openssl.ossl_typ.SSL)* a)
do
{
return .SSL_state(a) & .SSL_ST_BEFORE;
}
pragma(inline, true)
int SSL_in_connect_init(const (libressl.openssl.ossl_typ.SSL)* a)
do
{
return .SSL_state(a) & .SSL_ST_CONNECT;
}
pragma(inline, true)
int SSL_in_accept_init(const (libressl.openssl.ossl_typ.SSL)* a)
do
{
return .SSL_state(a) & .SSL_ST_ACCEPT;
}
/*
* The following 2 states are kept in ssl.rstate when reads fail,
* you should not need these
*/
enum SSL_ST_READ_HEADER = 0xF0;
enum SSL_ST_READ_BODY = 0xF1;
enum SSL_ST_READ_DONE = 0xF2;
/*
* Obtain latest Finished message
* -- that we sent (SSL_get_finished)
* -- that we expected from peer (SSL_get_peer_finished).
* Returns length (0 == no Finished so far), copies up to 'count' bytes.
*/
size_t SSL_get_finished(const (libressl.openssl.ossl_typ.SSL)* s, void* buf, size_t count);
size_t SSL_get_peer_finished(const (libressl.openssl.ossl_typ.SSL)* s, void* buf, size_t count);
/*
* use either SSL_VERIFY_NONE or SSL_VERIFY_PEER, the last 2 options
* are 'ored' with SSL_VERIFY_PEER if they are desired
*/
enum SSL_VERIFY_NONE = 0x00;
enum SSL_VERIFY_PEER = 0x01;
enum SSL_VERIFY_FAIL_IF_NO_PEER_CERT = 0x02;
enum SSL_VERIFY_CLIENT_ONCE = 0x04;
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
enum SSL_VERIFY_POST_HANDSHAKE = 0x08;
int SSL_verify_client_post_handshake(libressl.openssl.ossl_typ.SSL* s);
void SSL_CTX_set_post_handshake_auth(libressl.openssl.ossl_typ.SSL_CTX* ctx, int val);
void SSL_set_post_handshake_auth(libressl.openssl.ossl_typ.SSL* s, int val);
}
alias OpenSSL_add_ssl_algorithms = .SSL_library_init;
alias SSLeay_add_ssl_algorithms = .SSL_library_init;
/* More backward compatibility */
pragma(inline, true)
const (char)* SSL_get_cipher(const (libressl.openssl.ossl_typ.SSL)* s)
do
{
return .SSL_CIPHER_get_name(.SSL_get_current_cipher(s));
}
pragma(inline, true)
int SSL_get_cipher_bits(const (libressl.openssl.ossl_typ.SSL)* s, int* np)
do
{
return .SSL_CIPHER_get_bits(.SSL_get_current_cipher(s), np);
}
pragma(inline, true)
const (char)* SSL_get_cipher_version(const (libressl.openssl.ossl_typ.SSL)* s)
do
{
return .SSL_CIPHER_get_version(.SSL_get_current_cipher(s));
}
pragma(inline, true)
const (char)* SSL_get_cipher_name(const (libressl.openssl.ossl_typ.SSL)* s)
do
{
return .SSL_CIPHER_get_name(.SSL_get_current_cipher(s));
}
alias SSL_get_time = .SSL_SESSION_get_time;
alias SSL_set_time = .SSL_SESSION_set_time;
alias SSL_get_timeout = .SSL_SESSION_get_timeout;
alias SSL_set_timeout = .SSL_SESSION_set_timeout;
version (OPENSSL_NO_BIO) {
} else {
pragma(inline, true)
auto d2i_SSL_SESSION_bio(BP_TYPE, S_ID_TYPE)(BP_TYPE bp, S_ID_TYPE s_id)
do
{
return libressl.openssl.asn1.ASN1_d2i_bio_of(.SSL_SESSION, &.SSL_SESSION_new, &.d2i_SSL_SESSION, bp, s_id);
}
pragma(inline, true)
int i2d_SSL_SESSION_bio(BP_TYPE, S_ID_TYPE)(BP_TYPE bp, S_ID_TYPE s_id)
do
{
return libressl.openssl.asn1.ASN1_i2d_bio_of!(.SSL_SESSION)(&.i2d_SSL_SESSION, bp, s_id);
}
}
.SSL_SESSION* PEM_read_bio_SSL_SESSION(libressl.openssl.ossl_typ.BIO* bp, .SSL_SESSION** x, libressl.openssl.pem.pem_password_cb cb, void* u);
.SSL_SESSION* PEM_read_SSL_SESSION(libressl.compat.stdio.FILE* fp, .SSL_SESSION** x, libressl.openssl.pem.pem_password_cb cb, void* u);
int PEM_write_bio_SSL_SESSION(libressl.openssl.ossl_typ.BIO* bp, .SSL_SESSION* x);
int PEM_write_SSL_SESSION(libressl.compat.stdio.FILE* fp, .SSL_SESSION* x);
/*
* TLS Alerts.
*
* https://www.iana.org/assignments/tls-parameters/#tls-parameters-6
*/
/* Obsolete alerts. */
version (LIBRESSL_INTERNAL) {
} else {
/* Removed in TLSv1.1 */
enum SSL_AD_DECRYPTION_FAILED = 21;
/* Removed in TLSv1.0 */
enum SSL_AD_NO_CERTIFICATE = 41;
/* Removed in TLSv1.1 */
enum SSL_AD_EXPORT_RESTRICTION = 60;
}
enum SSL_AD_CLOSE_NOTIFY = 0;
enum SSL_AD_UNEXPECTED_MESSAGE = 10;
enum SSL_AD_BAD_RECORD_MAC = 20;
enum SSL_AD_RECORD_OVERFLOW = 22;
/* Removed in TLSv1.3 */
enum SSL_AD_DECOMPRESSION_FAILURE = 30;
enum SSL_AD_HANDSHAKE_FAILURE = 40;
enum SSL_AD_BAD_CERTIFICATE = 42;
enum SSL_AD_UNSUPPORTED_CERTIFICATE = 43;
enum SSL_AD_CERTIFICATE_REVOKED = 44;
enum SSL_AD_CERTIFICATE_EXPIRED = 45;
enum SSL_AD_CERTIFICATE_UNKNOWN = 46;
enum SSL_AD_ILLEGAL_PARAMETER = 47;
enum SSL_AD_UNKNOWN_CA = 48;
enum SSL_AD_ACCESS_DENIED = 49;
enum SSL_AD_DECODE_ERROR = 50;
enum SSL_AD_DECRYPT_ERROR = 51;
enum SSL_AD_PROTOCOL_VERSION = 70;
enum SSL_AD_INSUFFICIENT_SECURITY = 71;
enum SSL_AD_INTERNAL_ERROR = 80;
enum SSL_AD_INAPPROPRIATE_FALLBACK = 86;
enum SSL_AD_USER_CANCELLED = 90;
/* Removed in TLSv1.3 */
enum SSL_AD_NO_RENEGOTIATION = 100;
/* Added in TLSv1.3. */
enum SSL_AD_MISSING_EXTENSION = 109;
enum SSL_AD_UNSUPPORTED_EXTENSION = 110;
/* Removed in TLSv1.3 */
enum SSL_AD_CERTIFICATE_UNOBTAINABLE = 111;
enum SSL_AD_UNRECOGNIZED_NAME = 112;
enum SSL_AD_BAD_CERTIFICATE_STATUS_RESPONSE = 113;
/* Removed in TLSv1.3 */
enum SSL_AD_BAD_CERTIFICATE_HASH_VALUE = 114;
enum SSL_AD_UNKNOWN_PSK_IDENTITY = 115;
enum SSL_AD_CERTIFICATE_REQUIRED = 116;
enum SSL_AD_NO_APPLICATION_PROTOCOL = 120;
/* Offset to get an SSL_R_... value from an SSL_AD_... value. */
enum SSL_AD_REASON_OFFSET = 1000;
enum SSL_ERROR_NONE = 0;
enum SSL_ERROR_SSL = 1;
enum SSL_ERROR_WANT_READ = 2;
enum SSL_ERROR_WANT_WRITE = 3;
enum SSL_ERROR_WANT_X509_LOOKUP = 4;
enum SSL_ERROR_SYSCALL = 5;
enum SSL_ERROR_ZERO_RETURN = 6;
enum SSL_ERROR_WANT_CONNECT = 7;
enum SSL_ERROR_WANT_ACCEPT = 8;
enum SSL_ERROR_WANT_ASYNC = 9;
enum SSL_ERROR_WANT_ASYNC_JOB = 10;
enum SSL_ERROR_WANT_CLIENT_HELLO_CB = 11;
enum SSL_CTRL_NEED_TMP_RSA = 1;
enum SSL_CTRL_SET_TMP_RSA = 2;
enum SSL_CTRL_SET_TMP_DH = 3;
enum SSL_CTRL_SET_TMP_ECDH = 4;
enum SSL_CTRL_SET_TMP_RSA_CB = 5;
enum SSL_CTRL_SET_TMP_DH_CB = 6;
enum SSL_CTRL_SET_TMP_ECDH_CB = 7;
enum SSL_CTRL_GET_SESSION_REUSED = 8;
enum SSL_CTRL_GET_CLIENT_CERT_REQUEST = 9;
enum SSL_CTRL_GET_NUM_RENEGOTIATIONS = 10;
enum SSL_CTRL_CLEAR_NUM_RENEGOTIATIONS = 11;
enum SSL_CTRL_GET_TOTAL_RENEGOTIATIONS = 12;
enum SSL_CTRL_GET_FLAGS = 13;
enum SSL_CTRL_EXTRA_CHAIN_CERT = 14;
enum SSL_CTRL_SET_MSG_CALLBACK = 15;
enum SSL_CTRL_SET_MSG_CALLBACK_ARG = 16;
/* only applies to datagram connections */
enum SSL_CTRL_SET_MTU = 17;
/* Stats */
enum SSL_CTRL_SESS_NUMBER = 20;
enum SSL_CTRL_SESS_CONNECT = 21;
enum SSL_CTRL_SESS_CONNECT_GOOD = 22;
enum SSL_CTRL_SESS_CONNECT_RENEGOTIATE = 23;
enum SSL_CTRL_SESS_ACCEPT = 24;
enum SSL_CTRL_SESS_ACCEPT_GOOD = 25;
enum SSL_CTRL_SESS_ACCEPT_RENEGOTIATE = 26;
enum SSL_CTRL_SESS_HIT = 27;
enum SSL_CTRL_SESS_CB_HIT = 28;
enum SSL_CTRL_SESS_MISSES = 29;
enum SSL_CTRL_SESS_TIMEOUTS = 30;
enum SSL_CTRL_SESS_CACHE_FULL = 31;
enum SSL_CTRL_OPTIONS = 32;
enum SSL_CTRL_MODE = 33;
enum SSL_CTRL_GET_READ_AHEAD = 40;
enum SSL_CTRL_SET_READ_AHEAD = 41;
enum SSL_CTRL_SET_SESS_CACHE_SIZE = 42;
enum SSL_CTRL_GET_SESS_CACHE_SIZE = 43;
enum SSL_CTRL_SET_SESS_CACHE_MODE = 44;
enum SSL_CTRL_GET_SESS_CACHE_MODE = 45;
enum SSL_CTRL_GET_MAX_CERT_LIST = 50;
enum SSL_CTRL_SET_MAX_CERT_LIST = 51;
enum SSL_CTRL_SET_MAX_SEND_FRAGMENT = 52;
/* see tls1.h for macros based on these */
enum SSL_CTRL_SET_TLSEXT_SERVERNAME_CB = 53;
enum SSL_CTRL_SET_TLSEXT_SERVERNAME_ARG = 54;
enum SSL_CTRL_SET_TLSEXT_HOSTNAME = 55;
enum SSL_CTRL_SET_TLSEXT_DEBUG_CB = 56;
enum SSL_CTRL_SET_TLSEXT_DEBUG_ARG = 57;
enum SSL_CTRL_GET_TLSEXT_TICKET_KEYS = 58;
enum SSL_CTRL_SET_TLSEXT_TICKET_KEYS = 59;
enum SSL_CTRL_GET_TLSEXT_STATUS_REQ_CB = 128;
enum SSL_CTRL_SET_TLSEXT_STATUS_REQ_CB = 63;
enum SSL_CTRL_GET_TLSEXT_STATUS_REQ_CB_ARG = 129;
enum SSL_CTRL_SET_TLSEXT_STATUS_REQ_CB_ARG = 64;
enum SSL_CTRL_GET_TLSEXT_STATUS_REQ_TYPE = 127;
enum SSL_CTRL_SET_TLSEXT_STATUS_REQ_TYPE = 65;
enum SSL_CTRL_GET_TLSEXT_STATUS_REQ_EXTS = 66;
enum SSL_CTRL_SET_TLSEXT_STATUS_REQ_EXTS = 67;
enum SSL_CTRL_GET_TLSEXT_STATUS_REQ_IDS = 68;
enum SSL_CTRL_SET_TLSEXT_STATUS_REQ_IDS = 69;
enum SSL_CTRL_GET_TLSEXT_STATUS_REQ_OCSP_RESP = 70;
enum SSL_CTRL_SET_TLSEXT_STATUS_REQ_OCSP_RESP = 71;
enum SSL_CTRL_SET_TLSEXT_TICKET_KEY_CB = 72;
enum SSL_CTRL_SET_TLS_EXT_SRP_USERNAME_CB = 75;
enum SSL_CTRL_SET_SRP_VERIFY_PARAM_CB = 76;
enum SSL_CTRL_SET_SRP_GIVE_CLIENT_PWD_CB = 77;
enum SSL_CTRL_SET_SRP_ARG = 78;
enum SSL_CTRL_SET_TLS_EXT_SRP_USERNAME = 79;
enum SSL_CTRL_SET_TLS_EXT_SRP_STRENGTH = 80;
enum SSL_CTRL_SET_TLS_EXT_SRP_PASSWORD = 81;
enum DTLS_CTRL_GET_TIMEOUT = 73;
enum DTLS_CTRL_HANDLE_TIMEOUT = 74;
enum DTLS_CTRL_LISTEN = 75;
enum SSL_CTRL_GET_RI_SUPPORT = 76;
enum SSL_CTRL_CLEAR_OPTIONS = 77;
enum SSL_CTRL_CLEAR_MODE = 78;
enum SSL_CTRL_GET_EXTRA_CHAIN_CERTS = 82;
enum SSL_CTRL_CLEAR_EXTRA_CHAIN_CERTS = 83;
enum SSL_CTRL_CHAIN = 88;
enum SSL_CTRL_CHAIN_CERT = 89;
enum SSL_CTRL_SET_GROUPS = 91;
enum SSL_CTRL_SET_GROUPS_LIST = 92;
enum SSL_CTRL_GET_SHARED_GROUP = 93;
enum SSL_CTRL_SET_ECDH_AUTO = 94;
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
enum SSL_CTRL_GET_PEER_SIGNATURE_NID = 108;
enum SSL_CTRL_GET_PEER_TMP_KEY = 109;
enum SSL_CTRL_GET_SERVER_TMP_KEY = .SSL_CTRL_GET_PEER_TMP_KEY;
} else {
enum SSL_CTRL_GET_SERVER_TMP_KEY = 109;
}
enum SSL_CTRL_GET_CHAIN_CERTS = 115;
enum SSL_CTRL_SET_DH_AUTO = 118;
enum SSL_CTRL_SET_MIN_PROTO_VERSION = 123;
enum SSL_CTRL_SET_MAX_PROTO_VERSION = 124;
enum SSL_CTRL_GET_MIN_PROTO_VERSION = 130;
enum SSL_CTRL_GET_MAX_PROTO_VERSION = 131;
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
enum SSL_CTRL_GET_SIGNATURE_NID = 132;
}
pragma(inline, true)
core.stdc.config.c_long DTLSv1_get_timeout(libressl.openssl.ossl_typ.SSL* ssl, void* arg)
do
{
return .SSL_ctrl(ssl, .DTLS_CTRL_GET_TIMEOUT, 0, arg);
}
pragma(inline, true)
core.stdc.config.c_long DTLSv1_handle_timeout(libressl.openssl.ossl_typ.SSL* ssl)
do
{
return .SSL_ctrl(ssl, .DTLS_CTRL_HANDLE_TIMEOUT, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long DTLSv1_listen(libressl.openssl.ossl_typ.SSL* ssl, void* peer)
do
{
return .SSL_ctrl(ssl, .DTLS_CTRL_LISTEN, 0, peer);
}
pragma(inline, true)
core.stdc.config.c_long SSL_session_reused(libressl.openssl.ossl_typ.SSL* ssl)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_GET_SESSION_REUSED, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_num_renegotiations(libressl.openssl.ossl_typ.SSL* ssl)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_GET_NUM_RENEGOTIATIONS, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_clear_num_renegotiations(libressl.openssl.ossl_typ.SSL* ssl)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_CLEAR_NUM_RENEGOTIATIONS, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_total_renegotiations(libressl.openssl.ossl_typ.SSL* ssl)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_GET_TOTAL_RENEGOTIATIONS, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_need_tmp_RSA(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_NEED_TMP_RSA, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_tmp_rsa(libressl.openssl.ossl_typ.SSL_CTX* ctx, char* rsa)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_TMP_RSA, 0, rsa);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_tmp_dh(libressl.openssl.ossl_typ.SSL_CTX* ctx, char* dh)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_TMP_DH, 0, dh);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_tmp_ecdh(libressl.openssl.ossl_typ.SSL_CTX* ctx, char* ecdh)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_TMP_ECDH, 0, ecdh);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_dh_auto(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long onoff)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_DH_AUTO, onoff, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_ecdh_auto(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long onoff)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_ECDH_AUTO, onoff, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_need_tmp_RSA(libressl.openssl.ossl_typ.SSL* ssl)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_NEED_TMP_RSA, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_tmp_rsa(libressl.openssl.ossl_typ.SSL* ssl, char* rsa)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_SET_TMP_RSA, 0, rsa);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_tmp_dh(libressl.openssl.ossl_typ.SSL* ssl, char* dh)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_SET_TMP_DH, 0, dh);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_tmp_ecdh(libressl.openssl.ossl_typ.SSL* ssl, char* ecdh)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_SET_TMP_ECDH, 0, ecdh);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_dh_auto(libressl.openssl.ossl_typ.SSL* s, core.stdc.config.c_long onoff)
do
{
return .SSL_ctrl(s, .SSL_CTRL_SET_DH_AUTO, onoff, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_ecdh_auto(libressl.openssl.ossl_typ.SSL* s, core.stdc.config.c_long onoff)
do
{
return .SSL_ctrl(s, .SSL_CTRL_SET_ECDH_AUTO, onoff, null);
}
int SSL_CTX_set0_chain(libressl.openssl.ossl_typ.SSL_CTX* ctx, .stack_st_X509* chain);
int SSL_CTX_set1_chain(libressl.openssl.ossl_typ.SSL_CTX* ctx, .stack_st_X509* chain);
int SSL_CTX_add0_chain_cert(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ossl_typ.X509* x509);
int SSL_CTX_add1_chain_cert(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ossl_typ.X509* x509);
int SSL_CTX_get0_chain_certs(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx, .stack_st_X509** out_chain);
int SSL_CTX_clear_chain_certs(libressl.openssl.ossl_typ.SSL_CTX* ctx);
int SSL_set0_chain(libressl.openssl.ossl_typ.SSL* ssl, .stack_st_X509* chain);
int SSL_set1_chain(libressl.openssl.ossl_typ.SSL* ssl, .stack_st_X509* chain);
int SSL_add0_chain_cert(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.X509* x509);
int SSL_add1_chain_cert(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.X509* x509);
int SSL_get0_chain_certs(const (libressl.openssl.ossl_typ.SSL)* ssl, .stack_st_X509** out_chain);
int SSL_clear_chain_certs(libressl.openssl.ossl_typ.SSL* ssl);
int SSL_CTX_set1_groups(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (int)* groups, size_t groups_len);
int SSL_CTX_set1_groups_list(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (char)* groups);
int SSL_set1_groups(libressl.openssl.ossl_typ.SSL* ssl, const (int)* groups, size_t groups_len);
int SSL_set1_groups_list(libressl.openssl.ossl_typ.SSL* ssl, const (char)* groups);
int SSL_CTX_get_min_proto_version(libressl.openssl.ossl_typ.SSL_CTX* ctx);
int SSL_CTX_get_max_proto_version(libressl.openssl.ossl_typ.SSL_CTX* ctx);
int SSL_CTX_set_min_proto_version(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.stdint.uint16_t version_);
int SSL_CTX_set_max_proto_version(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.stdint.uint16_t version_);
int SSL_get_min_proto_version(libressl.openssl.ossl_typ.SSL* ssl);
int SSL_get_max_proto_version(libressl.openssl.ossl_typ.SSL* ssl);
int SSL_set_min_proto_version(libressl.openssl.ossl_typ.SSL* ssl, core.stdc.stdint.uint16_t version_);
int SSL_set_max_proto_version(libressl.openssl.ossl_typ.SSL* ssl, core.stdc.stdint.uint16_t version_);
const (.SSL_METHOD)* SSL_CTX_get_ssl_method(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
version (LIBRESSL_INTERNAL) {
} else {
enum SSL_CTRL_SET_CURVES = .SSL_CTRL_SET_GROUPS;
enum SSL_CTRL_SET_CURVES_LIST = .SSL_CTRL_SET_GROUPS_LIST;
alias SSL_CTX_set1_curves = .SSL_CTX_set1_groups;
alias SSL_CTX_set1_curves_list = .SSL_CTX_set1_groups_list;
alias SSL_set1_curves = .SSL_set1_groups;
alias SSL_set1_curves_list = .SSL_set1_groups_list;
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_add_extra_chain_cert(libressl.openssl.ossl_typ.SSL_CTX* ctx, char* x509)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_EXTRA_CHAIN_CERT, 0, x509);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_get_extra_chain_certs(libressl.openssl.ossl_typ.SSL_CTX* ctx, void* px509)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_GET_EXTRA_CHAIN_CERTS, 0, px509);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_get_extra_chain_certs_only(libressl.openssl.ossl_typ.SSL_CTX* ctx, void* px509)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_GET_EXTRA_CHAIN_CERTS, 1, px509);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_clear_extra_chain_certs(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_CLEAR_EXTRA_CHAIN_CERTS, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_get_shared_group(libressl.openssl.ossl_typ.SSL* s, core.stdc.config.c_long n)
do
{
return .SSL_ctrl(s, .SSL_CTRL_GET_SHARED_GROUP, n, null);
}
alias SSL_get_shared_curve = .SSL_get_shared_group;
pragma(inline, true)
core.stdc.config.c_long SSL_get_server_tmp_key(libressl.openssl.ossl_typ.SSL* s, void* pk)
do
{
return .SSL_ctrl(s, .SSL_CTRL_GET_SERVER_TMP_KEY, 0, pk);
}
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
pragma(inline, true)
core.stdc.config.c_long SSL_get_signature_nid(libressl.openssl.ossl_typ.SSL* s, void* pn)
do
{
return .SSL_ctrl(s, .SSL_CTRL_GET_SIGNATURE_NID, 0, pn);
}
pragma(inline, true)
core.stdc.config.c_long SSL_get_peer_signature_nid(libressl.openssl.ossl_typ.SSL* s, void* pn)
do
{
return .SSL_ctrl(s, .SSL_CTRL_GET_PEER_SIGNATURE_NID, 0, pn);
}
pragma(inline, true)
core.stdc.config.c_long SSL_get_peer_tmp_key(libressl.openssl.ossl_typ.SSL* s, void* pk)
do
{
return .SSL_ctrl(s, .SSL_CTRL_GET_PEER_TMP_KEY, 0, pk);
}
int SSL_get_signature_type_nid(const (libressl.openssl.ossl_typ.SSL)* ssl, int* nid);
int SSL_get_peer_signature_type_nid(const (libressl.openssl.ossl_typ.SSL)* ssl, int* nid);
}
version (LIBRESSL_INTERNAL) {
} else {
/*
* Also provide those functions as macros for compatibility with
* existing users.
*/
alias SSL_CTX_set0_chain = .SSL_CTX_set0_chain;
alias SSL_CTX_set1_chain = .SSL_CTX_set1_chain;
alias SSL_CTX_add0_chain_cert = .SSL_CTX_add0_chain_cert;
alias SSL_CTX_add1_chain_cert = .SSL_CTX_add1_chain_cert;
alias SSL_CTX_get0_chain_certs = .SSL_CTX_get0_chain_certs;
alias SSL_CTX_clear_chain_certs = .SSL_CTX_clear_chain_certs;
alias SSL_add0_chain_cert = .SSL_add0_chain_cert;
alias SSL_add1_chain_cert = .SSL_add1_chain_cert;
alias SSL_set0_chain = .SSL_set0_chain;
alias SSL_set1_chain = .SSL_set1_chain;
alias SSL_get0_chain_certs = .SSL_get0_chain_certs;
alias SSL_clear_chain_certs = .SSL_clear_chain_certs;
alias SSL_CTX_set1_groups = .SSL_CTX_set1_groups;
alias SSL_CTX_set1_groups_list = .SSL_CTX_set1_groups_list;
alias SSL_set1_groups = .SSL_set1_groups;
alias SSL_set1_groups_list = .SSL_set1_groups_list;
alias SSL_CTX_get_min_proto_version = .SSL_CTX_get_min_proto_version;
alias SSL_CTX_get_max_proto_version = .SSL_CTX_get_max_proto_version;
alias SSL_CTX_set_min_proto_version = .SSL_CTX_set_min_proto_version;
alias SSL_CTX_set_max_proto_version = .SSL_CTX_set_max_proto_version;
alias SSL_get_min_proto_version = .SSL_get_min_proto_version;
alias SSL_get_max_proto_version = .SSL_get_max_proto_version;
alias SSL_set_min_proto_version = .SSL_set_min_proto_version;
alias SSL_set_max_proto_version = .SSL_set_max_proto_version;
}
const (libressl.openssl.bio.BIO_METHOD)* BIO_f_ssl();
libressl.openssl.ossl_typ.BIO* BIO_new_ssl(libressl.openssl.ossl_typ.SSL_CTX* ctx, int client);
libressl.openssl.ossl_typ.BIO* BIO_new_ssl_connect(libressl.openssl.ossl_typ.SSL_CTX* ctx);
libressl.openssl.ossl_typ.BIO* BIO_new_buffer_ssl_connect(libressl.openssl.ossl_typ.SSL_CTX* ctx);
int BIO_ssl_copy_session_id(libressl.openssl.ossl_typ.BIO* to, libressl.openssl.ossl_typ.BIO* from);
void BIO_ssl_shutdown(libressl.openssl.ossl_typ.BIO* ssl_bio);
.stack_st_SSL_CIPHER* SSL_CTX_get_ciphers(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
int SSL_CTX_set_cipher_list(libressl.openssl.ossl_typ.SSL_CTX*, const (char)* str);
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
int SSL_CTX_set_ciphersuites(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (char)* str);
}
libressl.openssl.ossl_typ.SSL_CTX* SSL_CTX_new(const (.SSL_METHOD)* meth);
void SSL_CTX_free(libressl.openssl.ossl_typ.SSL_CTX*);
int SSL_CTX_up_ref(libressl.openssl.ossl_typ.SSL_CTX* ctx);
core.stdc.config.c_long SSL_CTX_set_timeout(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long t);
core.stdc.config.c_long SSL_CTX_get_timeout(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
libressl.openssl.ossl_typ.X509_STORE* SSL_CTX_get_cert_store(const (libressl.openssl.ossl_typ.SSL_CTX)*);
void SSL_CTX_set_cert_store(libressl.openssl.ossl_typ.SSL_CTX*, libressl.openssl.ossl_typ.X509_STORE*);
libressl.openssl.ossl_typ.X509* SSL_CTX_get0_certificate(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
libressl.openssl.ossl_typ.EVP_PKEY* SSL_CTX_get0_privatekey(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
int SSL_want(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_clear(libressl.openssl.ossl_typ.SSL* s);
void SSL_CTX_flush_sessions(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long tm);
const (.SSL_CIPHER)* SSL_get_current_cipher(const (libressl.openssl.ossl_typ.SSL)* s);
const (.SSL_CIPHER)* SSL_CIPHER_get_by_id(uint id);
const (.SSL_CIPHER)* SSL_CIPHER_get_by_value(core.stdc.stdint.uint16_t value);
int SSL_CIPHER_get_bits(const (.SSL_CIPHER)* c, int* alg_bits);
const (char)* SSL_CIPHER_get_version(const (.SSL_CIPHER)* c);
const (char)* SSL_CIPHER_get_name(const (.SSL_CIPHER)* c);
core.stdc.config.c_ulong SSL_CIPHER_get_id(const (.SSL_CIPHER)* c);
core.stdc.stdint.uint16_t SSL_CIPHER_get_value(const (.SSL_CIPHER)* c);
const (.SSL_CIPHER)* SSL_CIPHER_find(libressl.openssl.ossl_typ.SSL* ssl, const (ubyte)* ptr);
int SSL_CIPHER_get_cipher_nid(const (.SSL_CIPHER)* c);
int SSL_CIPHER_get_digest_nid(const (.SSL_CIPHER)* c);
int SSL_CIPHER_get_kx_nid(const (.SSL_CIPHER)* c);
int SSL_CIPHER_get_auth_nid(const (.SSL_CIPHER)* c);
int SSL_CIPHER_is_aead(const (.SSL_CIPHER)* c);
int SSL_get_fd(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_get_rfd(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_get_wfd(const (libressl.openssl.ossl_typ.SSL)* s);
const (char)* SSL_get_cipher_list(const (libressl.openssl.ossl_typ.SSL)* s, int n);
char* SSL_get_shared_ciphers(const (libressl.openssl.ossl_typ.SSL)* s, char* buf, int len);
int SSL_get_read_ahead(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_pending(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_set_fd(libressl.openssl.ossl_typ.SSL* s, int fd);
int SSL_set_rfd(libressl.openssl.ossl_typ.SSL* s, int fd);
int SSL_set_wfd(libressl.openssl.ossl_typ.SSL* s, int fd);
void SSL_set_bio(libressl.openssl.ossl_typ.SSL* s, libressl.openssl.ossl_typ.BIO* rbio, libressl.openssl.ossl_typ.BIO* wbio);
libressl.openssl.ossl_typ.BIO* SSL_get_rbio(const (libressl.openssl.ossl_typ.SSL)* s);
void SSL_set0_rbio(libressl.openssl.ossl_typ.SSL* s, libressl.openssl.ossl_typ.BIO* rbio);
libressl.openssl.ossl_typ.BIO* SSL_get_wbio(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_set_cipher_list(libressl.openssl.ossl_typ.SSL* s, const (char)* str);
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
int SSL_set_ciphersuites(libressl.openssl.ossl_typ.SSL* s, const (char)* str);
}
void SSL_set_read_ahead(libressl.openssl.ossl_typ.SSL* s, int yes);
int SSL_get_verify_mode(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_get_verify_depth(const (libressl.openssl.ossl_typ.SSL)* s);
//int (*SSL_get_verify_callback(const (libressl.openssl.ossl_typ.SSL)* s))(int, libressl.openssl.ossl_typ.X509_STORE_CTX*);
void SSL_set_verify(libressl.openssl.ossl_typ.SSL* s, int mode, int function(int ok, libressl.openssl.ossl_typ.X509_STORE_CTX* ctx) nothrow @nogc callback);
void SSL_set_verify_depth(libressl.openssl.ossl_typ.SSL* s, int depth);
int SSL_use_RSAPrivateKey(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.RSA* rsa);
int SSL_use_RSAPrivateKey_ASN1(libressl.openssl.ossl_typ.SSL* ssl, const (ubyte)* d, core.stdc.config.c_long len);
int SSL_use_PrivateKey(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.EVP_PKEY* pkey);
int SSL_use_PrivateKey_ASN1(int pk, libressl.openssl.ossl_typ.SSL* ssl, const (ubyte)* d, core.stdc.config.c_long len);
int SSL_use_certificate(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.X509* x);
int SSL_use_certificate_ASN1(libressl.openssl.ossl_typ.SSL* ssl, const (ubyte)* d, int len);
int SSL_use_RSAPrivateKey_file(libressl.openssl.ossl_typ.SSL* ssl, const (char)* file, int type);
int SSL_use_PrivateKey_file(libressl.openssl.ossl_typ.SSL* ssl, const (char)* file, int type);
int SSL_use_certificate_file(libressl.openssl.ossl_typ.SSL* ssl, const (char)* file, int type);
int SSL_use_certificate_chain_file(libressl.openssl.ossl_typ.SSL* ssl, const (char)* file);
int SSL_CTX_use_RSAPrivateKey_file(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (char)* file, int type);
int SSL_CTX_use_PrivateKey_file(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (char)* file, int type);
int SSL_CTX_use_certificate_file(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (char)* file, int type);
/**
* PEM type
*/
int SSL_CTX_use_certificate_chain_file(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (char)* file);
int SSL_CTX_use_certificate_chain_mem(libressl.openssl.ossl_typ.SSL_CTX* ctx, void* buf, int len);
.stack_st_X509_NAME* SSL_load_client_CA_file(const (char)* file);
int SSL_add_file_cert_subjects_to_stack(.stack_st_X509_NAME* stackCAs, const (char)* file);
int SSL_add_dir_cert_subjects_to_stack(.stack_st_X509_NAME* stackCAs, const (char)* dir);
void SSL_load_error_strings();
const (char)* SSL_state_string(const (libressl.openssl.ossl_typ.SSL)* s);
const (char)* SSL_rstate_string(const (libressl.openssl.ossl_typ.SSL)* s);
const (char)* SSL_state_string_long(const (libressl.openssl.ossl_typ.SSL)* s);
const (char)* SSL_rstate_string_long(const (libressl.openssl.ossl_typ.SSL)* s);
const (.SSL_CIPHER)* SSL_SESSION_get0_cipher(const (.SSL_SESSION)* ss);
size_t SSL_SESSION_get_master_key(const (.SSL_SESSION)* ss, ubyte* out_, size_t max_out);
int SSL_SESSION_get_protocol_version(const (.SSL_SESSION)* s);
core.stdc.config.c_long SSL_SESSION_get_time(const (.SSL_SESSION)* s);
core.stdc.config.c_long SSL_SESSION_set_time(.SSL_SESSION* s, core.stdc.config.c_long t);
core.stdc.config.c_long SSL_SESSION_get_timeout(const (.SSL_SESSION)* s);
core.stdc.config.c_long SSL_SESSION_set_timeout(.SSL_SESSION* s, core.stdc.config.c_long t);
int SSL_copy_session_id(libressl.openssl.ossl_typ.SSL* to, const (libressl.openssl.ossl_typ.SSL)* from);
libressl.openssl.ossl_typ.X509* SSL_SESSION_get0_peer(.SSL_SESSION* s);
int SSL_SESSION_set1_id(.SSL_SESSION* s, const (ubyte)* sid, uint sid_len);
int SSL_SESSION_set1_id_context(.SSL_SESSION* s, const (ubyte)* sid_ctx, uint sid_ctx_len);
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
int SSL_SESSION_is_resumable(const (.SSL_SESSION)* s);
}
.SSL_SESSION* SSL_SESSION_new();
void SSL_SESSION_free(.SSL_SESSION* ses);
int SSL_SESSION_up_ref(.SSL_SESSION* ss);
const (ubyte)* SSL_SESSION_get_id(const (.SSL_SESSION)* ss, uint* len);
const (ubyte)* SSL_SESSION_get0_id_context(const (.SSL_SESSION)* ss, uint* len);
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
core.stdc.stdint.uint32_t SSL_SESSION_get_max_early_data(const (.SSL_SESSION)* sess);
int SSL_SESSION_set_max_early_data(.SSL_SESSION* sess, core.stdc.stdint.uint32_t max_early_data);
}
core.stdc.config.c_ulong SSL_SESSION_get_ticket_lifetime_hint(const (.SSL_SESSION)* s);
int SSL_SESSION_has_ticket(const (.SSL_SESSION)* s);
uint SSL_SESSION_get_compress_id(const (.SSL_SESSION)* ss);
int SSL_SESSION_print_fp(libressl.compat.stdio.FILE* fp, const (.SSL_SESSION)* ses);
int SSL_SESSION_print(libressl.openssl.ossl_typ.BIO* fp, const (.SSL_SESSION)* ses);
int i2d_SSL_SESSION(.SSL_SESSION* in_, ubyte** pp);
int SSL_set_session(libressl.openssl.ossl_typ.SSL* to, .SSL_SESSION* session);
int SSL_CTX_add_session(libressl.openssl.ossl_typ.SSL_CTX* s, .SSL_SESSION* c);
int SSL_CTX_remove_session(libressl.openssl.ossl_typ.SSL_CTX*, .SSL_SESSION* c);
int SSL_CTX_set_generate_session_id(libressl.openssl.ossl_typ.SSL_CTX*, .GEN_SESSION_CB);
int SSL_set_generate_session_id(libressl.openssl.ossl_typ.SSL*, .GEN_SESSION_CB);
int SSL_has_matching_session_id(const (libressl.openssl.ossl_typ.SSL)* ssl, const (ubyte)* id, uint id_len);
.SSL_SESSION* d2i_SSL_SESSION(.SSL_SESSION** a, const (ubyte)** pp, core.stdc.config.c_long length_);
version (OPENSSL_NO_DEPRECATED) {
} else {
version (OPENSSL_NO_X509) {
} else {
static assert(libressl.openssl.x509.HEADER_X509_H);
}
}
libressl.openssl.ossl_typ.X509* SSL_get_peer_certificate(const (libressl.openssl.ossl_typ.SSL)* s);
.stack_st_X509* SSL_get_peer_cert_chain(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_CTX_get_verify_mode(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
int SSL_CTX_get_verify_depth(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
//int (*SSL_CTX_get_verify_callback(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx))(int, libressl.openssl.ossl_typ.X509_STORE_CTX*);
void SSL_CTX_set_verify(libressl.openssl.ossl_typ.SSL_CTX* ctx, int mode, int function(int, libressl.openssl.ossl_typ.X509_STORE_CTX*) nothrow @nogc callback);
void SSL_CTX_set_verify_depth(libressl.openssl.ossl_typ.SSL_CTX* ctx, int depth);
void SSL_CTX_set_cert_verify_callback(libressl.openssl.ossl_typ.SSL_CTX* ctx, int function(libressl.openssl.ossl_typ.X509_STORE_CTX*, void*) nothrow @nogc cb, void* arg);
int SSL_CTX_use_RSAPrivateKey(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ossl_typ.RSA* rsa);
int SSL_CTX_use_RSAPrivateKey_ASN1(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (ubyte)* d, core.stdc.config.c_long len);
int SSL_CTX_use_PrivateKey(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ossl_typ.EVP_PKEY* pkey);
int SSL_CTX_use_PrivateKey_ASN1(int pk, libressl.openssl.ossl_typ.SSL_CTX* ctx, const (ubyte)* d, core.stdc.config.c_long len);
int SSL_CTX_use_certificate(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ossl_typ.X509* x);
int SSL_CTX_use_certificate_ASN1(libressl.openssl.ossl_typ.SSL_CTX* ctx, int len, const (ubyte)* d);
libressl.openssl.pem.pem_password_cb SSL_CTX_get_default_passwd_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx);
void SSL_CTX_set_default_passwd_cb(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.pem.pem_password_cb cb);
void* SSL_CTX_get_default_passwd_cb_userdata(libressl.openssl.ossl_typ.SSL_CTX* ctx);
void SSL_CTX_set_default_passwd_cb_userdata(libressl.openssl.ossl_typ.SSL_CTX* ctx, void* u);
int SSL_CTX_check_private_key(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
int SSL_check_private_key(const (libressl.openssl.ossl_typ.SSL)* ctx);
int SSL_CTX_set_session_id_context(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (ubyte)* sid_ctx, uint sid_ctx_len);
int SSL_set_session_id_context(libressl.openssl.ossl_typ.SSL* ssl, const (ubyte)* sid_ctx, uint sid_ctx_len);
int SSL_CTX_set_purpose(libressl.openssl.ossl_typ.SSL_CTX* s, int purpose);
int SSL_set_purpose(libressl.openssl.ossl_typ.SSL* s, int purpose);
int SSL_CTX_set_trust(libressl.openssl.ossl_typ.SSL_CTX* s, int trust);
int SSL_set_trust(libressl.openssl.ossl_typ.SSL* s, int trust);
int SSL_set1_host(libressl.openssl.ossl_typ.SSL* s, const (char)* hostname);
void SSL_set_hostflags(libressl.openssl.ossl_typ.SSL* s, uint flags);
const (char)* SSL_get0_peername(libressl.openssl.ossl_typ.SSL* s);
libressl.openssl.ossl_typ.X509_VERIFY_PARAM* SSL_CTX_get0_param(libressl.openssl.ossl_typ.SSL_CTX* ctx);
int SSL_CTX_set1_param(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ossl_typ.X509_VERIFY_PARAM* vpm);
libressl.openssl.ossl_typ.X509_VERIFY_PARAM* SSL_get0_param(libressl.openssl.ossl_typ.SSL* ssl);
int SSL_set1_param(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.X509_VERIFY_PARAM* vpm);
libressl.openssl.ossl_typ.SSL* SSL_new(libressl.openssl.ossl_typ.SSL_CTX* ctx);
void SSL_free(libressl.openssl.ossl_typ.SSL* ssl);
int SSL_up_ref(libressl.openssl.ossl_typ.SSL* ssl);
int SSL_accept(libressl.openssl.ossl_typ.SSL* ssl);
int SSL_connect(libressl.openssl.ossl_typ.SSL* ssl);
int SSL_is_dtls(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_is_server(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_read(libressl.openssl.ossl_typ.SSL* ssl, void* buf, int num);
int SSL_peek(libressl.openssl.ossl_typ.SSL* ssl, void* buf, int num);
int SSL_write(libressl.openssl.ossl_typ.SSL* ssl, const (void)* buf, int num);
int SSL_read_ex(libressl.openssl.ossl_typ.SSL* ssl, void* buf, size_t num, size_t* bytes_read);
int SSL_peek_ex(libressl.openssl.ossl_typ.SSL* ssl, void* buf, size_t num, size_t* bytes_peeked);
int SSL_write_ex(libressl.openssl.ossl_typ.SSL* ssl, const (void)* buf, size_t num, size_t* bytes_written);
static if ((libressl.openssl.opensslfeatures.LIBRESSL_HAS_TLS1_3) || (libressl.openssl.opensslfeatures.LIBRESSL_INTERNAL)) {
core.stdc.stdint.uint32_t SSL_CTX_get_max_early_data(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
int SSL_CTX_set_max_early_data(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.stdint.uint32_t max_early_data);
core.stdc.stdint.uint32_t SSL_get_max_early_data(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_set_max_early_data(libressl.openssl.ossl_typ.SSL* s, core.stdc.stdint.uint32_t max_early_data);
enum SSL_EARLY_DATA_NOT_SENT = 0;
enum SSL_EARLY_DATA_REJECTED = 1;
enum SSL_EARLY_DATA_ACCEPTED = 2;
int SSL_get_early_data_status(const (libressl.openssl.ossl_typ.SSL)* s);
enum SSL_READ_EARLY_DATA_ERROR = 0;
enum SSL_READ_EARLY_DATA_SUCCESS = 1;
enum SSL_READ_EARLY_DATA_FINISH = 2;
int SSL_read_early_data(libressl.openssl.ossl_typ.SSL* s, void* buf, size_t num, size_t* readbytes);
int SSL_write_early_data(libressl.openssl.ossl_typ.SSL* s, const (void)* buf, size_t num, size_t* written);
}
core.stdc.config.c_long SSL_ctrl(libressl.openssl.ossl_typ.SSL* ssl, int cmd, core.stdc.config.c_long larg, void* parg);
core.stdc.config.c_long SSL_callback_ctrl(libressl.openssl.ossl_typ.SSL*, int, void function() nothrow @nogc);
core.stdc.config.c_long SSL_CTX_ctrl(libressl.openssl.ossl_typ.SSL_CTX* ctx, int cmd, core.stdc.config.c_long larg, void* parg);
core.stdc.config.c_long SSL_CTX_callback_ctrl(libressl.openssl.ossl_typ.SSL_CTX*, int, void function() nothrow @nogc);
int SSL_get_error(const (libressl.openssl.ossl_typ.SSL)* s, int ret_code);
const (char)* SSL_get_version(const (libressl.openssl.ossl_typ.SSL)* s);
/* This sets the 'default' SSL version that SSL_new() will create */
int SSL_CTX_set_ssl_version(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (.SSL_METHOD)* meth);
/**
* SSLv3 or TLSv1.*
*/
const (.SSL_METHOD)* SSLv23_method();
///Ditto
const (.SSL_METHOD)* SSLv23_server_method();
///Ditto
const (.SSL_METHOD)* SSLv23_client_method();
/**
* TLSv1.0
*/
const (.SSL_METHOD)* TLSv1_method();
///Ditto
const (.SSL_METHOD)* TLSv1_server_method();
///Ditto
const (.SSL_METHOD)* TLSv1_client_method();
/**
* TLSv1.1
*/
const (.SSL_METHOD)* TLSv1_1_method();
///Ditto
const (.SSL_METHOD)* TLSv1_1_server_method();
///Ditto
const (.SSL_METHOD)* TLSv1_1_client_method();
/**
* TLSv1.2
*/
const (.SSL_METHOD)* TLSv1_2_method();
///Ditto
const (.SSL_METHOD)* TLSv1_2_server_method();
///Ditto
const (.SSL_METHOD)* TLSv1_2_client_method();
/**
* TLS v1.0 or later
*/
const (.SSL_METHOD)* TLS_method();
///Ditto
const (.SSL_METHOD)* TLS_server_method();
///Ditto
const (.SSL_METHOD)* TLS_client_method();
/**
* DTLSv1.0
*/
const (.SSL_METHOD)* DTLSv1_method();
///Ditto
const (.SSL_METHOD)* DTLSv1_server_method();
///Ditto
const (.SSL_METHOD)* DTLSv1_client_method();
/**
* DTLSv1.2
*/
const (.SSL_METHOD)* DTLSv1_2_method();
///Ditto
const (.SSL_METHOD)* DTLSv1_2_server_method();
///Ditto
const (.SSL_METHOD)* DTLSv1_2_client_method();
/**
* DTLS v1.0 or later
*/
const (.SSL_METHOD)* DTLS_method();
///Ditto
const (.SSL_METHOD)* DTLS_server_method();
///Ditto
const (.SSL_METHOD)* DTLS_client_method();
.stack_st_SSL_CIPHER* SSL_get_ciphers(const (libressl.openssl.ossl_typ.SSL)* s);
.stack_st_SSL_CIPHER* SSL_get_client_ciphers(const (libressl.openssl.ossl_typ.SSL)* s);
.stack_st_SSL_CIPHER* SSL_get1_supported_ciphers(libressl.openssl.ossl_typ.SSL* s);
int SSL_do_handshake(libressl.openssl.ossl_typ.SSL* s);
int SSL_renegotiate(libressl.openssl.ossl_typ.SSL* s);
int SSL_renegotiate_abbreviated(libressl.openssl.ossl_typ.SSL* s);
int SSL_renegotiate_pending(libressl.openssl.ossl_typ.SSL* s);
int SSL_shutdown(libressl.openssl.ossl_typ.SSL* s);
const (.SSL_METHOD)* SSL_get_ssl_method(libressl.openssl.ossl_typ.SSL* s);
int SSL_set_ssl_method(libressl.openssl.ossl_typ.SSL* s, const (.SSL_METHOD)* method);
const (char)* SSL_alert_type_string_long(int value);
const (char)* SSL_alert_type_string(int value);
const (char)* SSL_alert_desc_string_long(int value);
const (char)* SSL_alert_desc_string(int value);
void SSL_set_client_CA_list(libressl.openssl.ossl_typ.SSL* s, .stack_st_X509_NAME* name_list);
void SSL_CTX_set_client_CA_list(libressl.openssl.ossl_typ.SSL_CTX* ctx, .stack_st_X509_NAME* name_list);
.stack_st_X509_NAME* SSL_get_client_CA_list(const (libressl.openssl.ossl_typ.SSL)* s);
.stack_st_X509_NAME* SSL_CTX_get_client_CA_list(const (libressl.openssl.ossl_typ.SSL_CTX)* s);
int SSL_add_client_CA(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.X509* x);
int SSL_CTX_add_client_CA(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ossl_typ.X509* x);
void SSL_set_connect_state(libressl.openssl.ossl_typ.SSL* s);
void SSL_set_accept_state(libressl.openssl.ossl_typ.SSL* s);
core.stdc.config.c_long SSL_get_default_timeout(const (libressl.openssl.ossl_typ.SSL)* s);
int SSL_library_init();
char* SSL_CIPHER_description(const (.SSL_CIPHER)*, char* buf, int size);
.stack_st_X509_NAME* SSL_dup_CA_list(const (.stack_st_X509_NAME)* sk);
libressl.openssl.ossl_typ.SSL* SSL_dup(libressl.openssl.ossl_typ.SSL* ssl);
libressl.openssl.ossl_typ.X509* SSL_get_certificate(const (libressl.openssl.ossl_typ.SSL)* ssl);
/* libressl.openssl.ossl_typ.EVP_PKEY */
libressl.openssl.ossl_typ.evp_pkey_st* SSL_get_privatekey(const (libressl.openssl.ossl_typ.SSL)* ssl);
void SSL_CTX_set_quiet_shutdown(libressl.openssl.ossl_typ.SSL_CTX* ctx, int mode);
int SSL_CTX_get_quiet_shutdown(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
void SSL_set_quiet_shutdown(libressl.openssl.ossl_typ.SSL* ssl, int mode);
int SSL_get_quiet_shutdown(const (libressl.openssl.ossl_typ.SSL)* ssl);
void SSL_set_shutdown(libressl.openssl.ossl_typ.SSL* ssl, int mode);
int SSL_get_shutdown(const (libressl.openssl.ossl_typ.SSL)* ssl);
int SSL_version(const (libressl.openssl.ossl_typ.SSL)* ssl);
int SSL_CTX_set_default_verify_paths(libressl.openssl.ossl_typ.SSL_CTX* ctx);
int SSL_CTX_load_verify_locations(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (char)* CAfile, const (char)* CApath);
int SSL_CTX_load_verify_mem(libressl.openssl.ossl_typ.SSL_CTX* ctx, void* buf, int len);
/**
* just peek at pointer
*/
alias SSL_get0_session = .SSL_get_session;
.SSL_SESSION* SSL_get_session(const (libressl.openssl.ossl_typ.SSL)* ssl);
/**
* obtain a reference count
*/
.SSL_SESSION* SSL_get1_session(libressl.openssl.ossl_typ.SSL* ssl);
libressl.openssl.ossl_typ.SSL_CTX* SSL_get_SSL_CTX(const (libressl.openssl.ossl_typ.SSL)* ssl);
libressl.openssl.ossl_typ.SSL_CTX* SSL_set_SSL_CTX(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.SSL_CTX* ctx);
void SSL_set_info_callback(libressl.openssl.ossl_typ.SSL* ssl, void function(const (libressl.openssl.ossl_typ.SSL)* ssl, int type, int val) nothrow @nogc cb);
//void (*SSL_get_info_callback(const (libressl.openssl.ossl_typ.SSL)* ssl))(const (libressl.openssl.ossl_typ.SSL)* ssl, int type, int val);
int SSL_state(const (libressl.openssl.ossl_typ.SSL)* ssl);
void SSL_set_state(libressl.openssl.ossl_typ.SSL* ssl, int state);
void SSL_set_verify_result(libressl.openssl.ossl_typ.SSL* ssl, core.stdc.config.c_long v);
core.stdc.config.c_long SSL_get_verify_result(const (libressl.openssl.ossl_typ.SSL)* ssl);
int SSL_set_ex_data(libressl.openssl.ossl_typ.SSL* ssl, int idx, void* data);
void* SSL_get_ex_data(const (libressl.openssl.ossl_typ.SSL)* ssl, int idx);
int SSL_get_ex_new_index(core.stdc.config.c_long argl, void* argp, libressl.openssl.ossl_typ.CRYPTO_EX_new new_func, libressl.openssl.ossl_typ.CRYPTO_EX_dup dup_func, libressl.openssl.ossl_typ.CRYPTO_EX_free free_func);
int SSL_SESSION_set_ex_data(.SSL_SESSION* ss, int idx, void* data);
void* SSL_SESSION_get_ex_data(const (.SSL_SESSION)* ss, int idx);
int SSL_SESSION_get_ex_new_index(core.stdc.config.c_long argl, void* argp, libressl.openssl.ossl_typ.CRYPTO_EX_new new_func, libressl.openssl.ossl_typ.CRYPTO_EX_dup dup_func, libressl.openssl.ossl_typ.CRYPTO_EX_free free_func);
int SSL_CTX_set_ex_data(libressl.openssl.ossl_typ.SSL_CTX* ssl, int idx, void* data);
void* SSL_CTX_get_ex_data(const (libressl.openssl.ossl_typ.SSL_CTX)* ssl, int idx);
int SSL_CTX_get_ex_new_index(core.stdc.config.c_long argl, void* argp, libressl.openssl.ossl_typ.CRYPTO_EX_new new_func, libressl.openssl.ossl_typ.CRYPTO_EX_dup dup_func, libressl.openssl.ossl_typ.CRYPTO_EX_free free_func);
int SSL_get_ex_data_X509_STORE_CTX_idx();
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_set_cache_size(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long t)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_SESS_CACHE_SIZE, t, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_sess_get_cache_size(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_GET_SESS_CACHE_SIZE, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_session_cache_mode(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long m)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_SESS_CACHE_MODE, m, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_get_session_cache_mode(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_GET_SESS_CACHE_MODE, 0, null);
}
alias SSL_CTX_get_default_read_ahead = .SSL_CTX_get_read_ahead;
alias SSL_CTX_set_default_read_ahead = .SSL_CTX_set_read_ahead;
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_get_read_ahead(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_GET_READ_AHEAD, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_read_ahead(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long m)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_READ_AHEAD, m, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_get_max_cert_list(libressl.openssl.ossl_typ.SSL_CTX* ctx)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_GET_MAX_CERT_LIST, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_max_cert_list(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long m)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_MAX_CERT_LIST, m, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_get_max_cert_list(libressl.openssl.ossl_typ.SSL* ssl)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_GET_MAX_CERT_LIST, 0, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_max_cert_list(libressl.openssl.ossl_typ.SSL* ssl, core.stdc.config.c_long m)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_SET_MAX_CERT_LIST, m, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_CTX_set_max_send_fragment(libressl.openssl.ossl_typ.SSL_CTX* ctx, core.stdc.config.c_long m)
do
{
return .SSL_CTX_ctrl(ctx, .SSL_CTRL_SET_MAX_SEND_FRAGMENT, m, null);
}
pragma(inline, true)
core.stdc.config.c_long SSL_set_max_send_fragment(libressl.openssl.ossl_typ.SSL* ssl, core.stdc.config.c_long m)
do
{
return .SSL_ctrl(ssl, .SSL_CTRL_SET_MAX_SEND_FRAGMENT, m, null);
}
/* NB: the keylength is only applicable when is_export is true */
void SSL_CTX_set_tmp_rsa_callback(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ossl_typ.RSA* function(libressl.openssl.ossl_typ.SSL* ssl, int is_export, int keylength) nothrow @nogc cb);
void SSL_set_tmp_rsa_callback(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.RSA* function(libressl.openssl.ossl_typ.SSL* ssl, int is_export, int keylength) nothrow @nogc cb);
void SSL_CTX_set_tmp_dh_callback(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ossl_typ.DH* function(libressl.openssl.ossl_typ.SSL* ssl, int is_export, int keylength) nothrow @nogc dh);
void SSL_set_tmp_dh_callback(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ossl_typ.DH* function(libressl.openssl.ossl_typ.SSL* ssl, int is_export, int keylength) nothrow @nogc dh);
void SSL_CTX_set_tmp_ecdh_callback(libressl.openssl.ossl_typ.SSL_CTX* ctx, libressl.openssl.ec.EC_KEY* function(libressl.openssl.ossl_typ.SSL* ssl, int is_export, int keylength) nothrow @nogc ecdh);
void SSL_set_tmp_ecdh_callback(libressl.openssl.ossl_typ.SSL* ssl, libressl.openssl.ec.EC_KEY* function(libressl.openssl.ossl_typ.SSL* ssl, int is_export, int keylength) nothrow @nogc ecdh);
size_t SSL_get_client_random(const (libressl.openssl.ossl_typ.SSL)* s, ubyte* out_, size_t max_out);
size_t SSL_get_server_random(const (libressl.openssl.ossl_typ.SSL)* s, ubyte* out_, size_t max_out);
const (void)* SSL_get_current_compression(libressl.openssl.ossl_typ.SSL* s);
const (void)* SSL_get_current_expansion(libressl.openssl.ossl_typ.SSL* s);
const (char)* SSL_COMP_get_name(const (void)* comp);
void* SSL_COMP_get_compression_methods();
int SSL_COMP_add_compression_method(int id, void* cm);
/* TLS extensions functions */
int SSL_set_session_ticket_ext(libressl.openssl.ossl_typ.SSL* s, void* ext_data, int ext_len);
int SSL_set_session_ticket_ext_cb(libressl.openssl.ossl_typ.SSL* s, .tls_session_ticket_ext_cb_fn cb, void* arg);
/* Pre-shared secret session resumption functions */
int SSL_set_session_secret_cb(libressl.openssl.ossl_typ.SSL* s, .tls_session_secret_cb_fn tls_session_secret_cb, void* arg);
void SSL_set_debug(libressl.openssl.ossl_typ.SSL* s, int debug_);
int SSL_cache_hit(libressl.openssl.ossl_typ.SSL* s);
/* What the "other" parameter contains in security callback */
/* Mask for type */
enum SSL_SECOP_OTHER_TYPE = 0xFFFF0000;
enum SSL_SECOP_OTHER_NONE = 0;
enum SSL_SECOP_OTHER_CIPHER = 1 << 16;
enum SSL_SECOP_OTHER_CURVE = 2 << 16;
enum SSL_SECOP_OTHER_DH = 3 << 16;
enum SSL_SECOP_OTHER_PKEY = 4 << 16;
enum SSL_SECOP_OTHER_SIGALG = 5 << 16;
enum SSL_SECOP_OTHER_CERT = 6 << 16;
/* Indicated operation refers to peer key or certificate */
enum SSL_SECOP_PEER = 0x1000;
/* Values for "op" parameter in security callback */
/* Called to filter ciphers */
/* Ciphers client supports */
enum SSL_SECOP_CIPHER_SUPPORTED = 1 | .SSL_SECOP_OTHER_CIPHER;
/* Cipher shared by client/server */
enum SSL_SECOP_CIPHER_SHARED = 2 | .SSL_SECOP_OTHER_CIPHER;
/* Sanity check of cipher server selects */
enum SSL_SECOP_CIPHER_CHECK = 3 | .SSL_SECOP_OTHER_CIPHER;
/* Curves supported by client */
enum SSL_SECOP_CURVE_SUPPORTED = 4 | .SSL_SECOP_OTHER_CURVE;
/* Curves shared by client/server */
enum SSL_SECOP_CURVE_SHARED = 5 | .SSL_SECOP_OTHER_CURVE;
/* Sanity check of curve server selects */
enum SSL_SECOP_CURVE_CHECK = 6 | .SSL_SECOP_OTHER_CURVE;
/* Temporary DH key */
/*
* XXX: changed in OpenSSL e2b420fdd70 to (7 | SSL_SECOP_OTHER_PKEY)
* Needs switching internal use of DH to EVP_PKEY. The code is not reachable
* from outside the library as long as we do not expose the callback in the API.
*/
enum SSL_SECOP_TMP_DH = 7 | .SSL_SECOP_OTHER_DH;
/* SSL/TLS version */
enum SSL_SECOP_VERSION = 9 | .SSL_SECOP_OTHER_NONE;
/* Session tickets */
enum SSL_SECOP_TICKET = 10 | .SSL_SECOP_OTHER_NONE;
/* Supported signature algorithms sent to peer */
enum SSL_SECOP_SIGALG_SUPPORTED = 11 | .SSL_SECOP_OTHER_SIGALG;
/* Shared signature algorithm */
enum SSL_SECOP_SIGALG_SHARED = 12 | .SSL_SECOP_OTHER_SIGALG;
/* Sanity check signature algorithm allowed */
enum SSL_SECOP_SIGALG_CHECK = 13 | .SSL_SECOP_OTHER_SIGALG;
/* Used to get mask of supported public key signature algorithms */
enum SSL_SECOP_SIGALG_MASK = 14 | .SSL_SECOP_OTHER_SIGALG;
/* Use to see if compression is allowed */
enum SSL_SECOP_COMPRESSION = 15 | .SSL_SECOP_OTHER_NONE;
/* EE key in certificate */
enum SSL_SECOP_EE_KEY = 16 | .SSL_SECOP_OTHER_CERT;
/* CA key in certificate */
enum SSL_SECOP_CA_KEY = 17 | .SSL_SECOP_OTHER_CERT;
/* CA digest algorithm in certificate */
enum SSL_SECOP_CA_MD = 18 | .SSL_SECOP_OTHER_CERT;
/* Peer EE key in certificate */
enum SSL_SECOP_PEER_EE_KEY = .SSL_SECOP_EE_KEY | .SSL_SECOP_PEER;
/* Peer CA key in certificate */
enum SSL_SECOP_PEER_CA_KEY = .SSL_SECOP_CA_KEY | .SSL_SECOP_PEER;
/* Peer CA digest algorithm in certificate */
enum SSL_SECOP_PEER_CA_MD = .SSL_SECOP_CA_MD | .SSL_SECOP_PEER;
void SSL_set_security_level(libressl.openssl.ossl_typ.SSL* ssl, int level);
int SSL_get_security_level(const (libressl.openssl.ossl_typ.SSL)* ssl);
void SSL_CTX_set_security_level(libressl.openssl.ossl_typ.SSL_CTX* ctx, int level);
int SSL_CTX_get_security_level(const (libressl.openssl.ossl_typ.SSL_CTX)* ctx);
version (LIBRESSL_HAS_QUIC_OR_LIBRESSL_INTERNAL) {
/*
* QUIC integration.
*
* QUIC acts as an underlying transport for the TLS 1.3 handshake. The following
* functions allow a QUIC implementation to serve as the underlying transport as
* described in RFC 9001.
*
* When configured for QUIC, |SSL_do_handshake| will drive the handshake as
* before, but it will not use the configured |BIO|. It will call functions on
* |SSL_QUIC_METHOD| to configure secrets and send data. If data is needed from
* the peer, it will return |SSL_ERROR_WANT_READ|. As the caller receives data
* it can decrypt, it calls |SSL_provide_quic_data|. Subsequent
* |SSL_do_handshake| calls will then consume that data and progress the
* handshake. After the handshake is complete, the caller should continue to
* call |SSL_provide_quic_data| for any post-handshake data, followed by
* |SSL_process_quic_post_handshake| to process it. It is an error to call
* |SSL_peek|, |SSL_read| and |SSL_write| in QUIC.
*
* To avoid DoS attacks, the QUIC implementation must limit the amount of data
* being queued up. The implementation can call
* |SSL_quic_max_handshake_flight_len| to get the maximum buffer length at each
* encryption level.
*
* QUIC implementations must additionally configure transport parameters with
* |SSL_set_quic_transport_params|. |SSL_get_peer_quic_transport_params| may be
* used to query the value received from the peer. This extension is handled
* as an opaque byte string, which the caller is responsible for serializing
* and parsing. See RFC 9000 section 7.4 for further details.
*/
/**
* ssl_encryption_level_t specifies the QUIC encryption level used to transmit
* handshake messages.
*/
enum ssl_encryption_level_t
{
ssl_encryption_initial = 0,
ssl_encryption_early_data,
ssl_encryption_handshake,
ssl_encryption_application,
}
////Declaration name in C language
enum
{
ssl_encryption_initial = .ssl_encryption_level_t.ssl_encryption_initial,
ssl_encryption_early_data = .ssl_encryption_level_t.ssl_encryption_early_data,
ssl_encryption_handshake = .ssl_encryption_level_t.ssl_encryption_handshake,
ssl_encryption_application = .ssl_encryption_level_t.ssl_encryption_application,
}
alias OSSL_ENCRYPTION_LEVEL = .ssl_encryption_level_t;
/**
* ssl_quic_method_st (aka |SSL_QUIC_METHOD|) describes custom QUIC hooks.
*
* Note that we provide both the new (BoringSSL) secrets interface
* (set_read_secret/set_write_secret) along with the old interface
* (set_encryption_secrets), which quictls is still using.
*
* Since some consumers fail to use named initialisers, the order of these
* functions is important. Hopefully all of these consumers use the old version.
*/
struct ssl_quic_method_st
{
/**
* set_encryption_secrets configures the read and write secrets for the
* given encryption level. This function will always be called before an
* encryption level other than |ssl_encryption_initial| is used.
*
* When reading packets at a given level, the QUIC implementation must
* send ACKs at the same level, so this function provides read and write
* secrets together. The exception is |ssl_encryption_early_data|, where
* secrets are only available in the client to server direction. The
* other secret will be null. The server acknowledges such data at
* |ssl_encryption_application|, which will be configured in the same
* |SSL_do_handshake| call.
*
* This function should use |SSL_get_current_cipher| to determine the TLS
* cipher suite.
*/
int function(libressl.openssl.ossl_typ.SSL* ssl, .ssl_encryption_level_t level, const (core.stdc.stdint.uint8_t)* read_secret, const (core.stdc.stdint.uint8_t)* write_secret, size_t secret_len) set_encryption_secrets;
/**
* add_handshake_data adds handshake data to the current flight at the
* given encryption level. It returns one on success and zero on error.
* Callers should defer writing data to the network until |flush_flight|
* to better pack QUIC packets into transport datagrams.
*
* If |level| is not |ssl_encryption_initial|, this function will not be
* called before |level| is initialized with |set_write_secret|.
*/
int function(libressl.openssl.ossl_typ.SSL* ssl, .ssl_encryption_level_t level, const (core.stdc.stdint.uint8_t)* data, size_t len) add_handshake_data;
/**
* flush_flight is called when the current flight is complete and should
* be written to the transport. Note a flight may contain data at
* several encryption levels. It returns one on success and zero on
* error.
*/
int function(libressl.openssl.ossl_typ.SSL* ssl) flush_flight;
/**
* send_alert sends a fatal alert at the specified encryption level. It
* returns one on success and zero on error.
*
* If |level| is not |ssl_encryption_initial|, this function will not be
* called before |level| is initialized with |set_write_secret|.
*/
int function(libressl.openssl.ossl_typ.SSL* ssl, .ssl_encryption_level_t level, core.stdc.stdint.uint8_t alert) send_alert;
/**
* set_read_secret configures the read secret and cipher suite for the
* given encryption level. It returns one on success and zero to
* terminate the handshake with an error. It will be called at most once
* per encryption level.
*
* Read keys will not be released before QUIC may use them. Once a level
* has been initialized, QUIC may begin processing data from it.
* Handshake data should be passed to |SSL_provide_quic_data| and
* application data (if |level| is |ssl_encryption_early_data| or
* |ssl_encryption_application|) may be processed according to the rules
* of the QUIC protocol.
*/
int function(libressl.openssl.ossl_typ.SSL* ssl, .ssl_encryption_level_t level, const (.SSL_CIPHER)* cipher, const (core.stdc.stdint.uint8_t)* secret, size_t secret_len) set_read_secret;
/**
* set_write_secret behaves like |set_read_secret| but configures the
* write secret and cipher suite for the given encryption level. It will
* be called at most once per encryption level.
*
* Write keys will not be released before QUIC may use them. If |level|
* is |ssl_encryption_early_data| or |ssl_encryption_application|, QUIC
* may begin sending application data at |level|.
*/
int function(libressl.openssl.ossl_typ.SSL* ssl, .ssl_encryption_level_t level, const (.SSL_CIPHER)* cipher, const (core.stdc.stdint.uint8_t)* secret, size_t secret_len) set_write_secret;
}
alias SSL_QUIC_METHOD = .ssl_quic_method_st;
/**
* SSL_CTX_set_quic_method configures the QUIC hooks. This should only be
* configured with a minimum version of TLS 1.3. |quic_method| must remain valid
* for the lifetime of |ctx|. It returns one on success and zero on error.
*/
int SSL_CTX_set_quic_method(libressl.openssl.ossl_typ.SSL_CTX* ctx, const (.SSL_QUIC_METHOD)* quic_method);
/**
* SSL_set_quic_method configures the QUIC hooks. This should only be
* configured with a minimum version of TLS 1.3. |quic_method| must remain valid
* for the lifetime of |ssl|. It returns one on success and zero on error.
*/
int SSL_set_quic_method(libressl.openssl.ossl_typ.SSL* ssl, const (.SSL_QUIC_METHOD)* quic_method);
/**
* SSL_is_quic returns true if an SSL has been configured for use with QUIC.
*/
int SSL_is_quic(const (libressl.openssl.ossl_typ.SSL)* ssl);
/**
* SSL_quic_max_handshake_flight_len returns returns the maximum number of bytes
* that may be received at the given encryption level. This function should be
* used to limit buffering in the QUIC implementation. See RFC 9000 section 7.5.
*/
size_t SSL_quic_max_handshake_flight_len(const (libressl.openssl.ossl_typ.SSL)* ssl, .ssl_encryption_level_t level);
/**
* SSL_quic_read_level returns the current read encryption level.
*/
.ssl_encryption_level_t SSL_quic_read_level(const (libressl.openssl.ossl_typ.SSL)* ssl);
/**
* SSL_quic_write_level returns the current write encryption level.
*/
.ssl_encryption_level_t SSL_quic_write_level(const (libressl.openssl.ossl_typ.SSL)* ssl);
/**
* SSL_provide_quic_data provides data from QUIC at a particular encryption
* level |level|. It returns one on success and zero on error. Note this
* function will return zero if the handshake is not expecting data from |level|
* at this time. The QUIC implementation should then close the connection with
* an error.
*/
int SSL_provide_quic_data(libressl.openssl.ossl_typ.SSL* ssl, .ssl_encryption_level_t level, const (core.stdc.stdint.uint8_t)* data, size_t len);
/**
* SSL_process_quic_post_handshake processes any data that QUIC has provided
* after the handshake has completed. This includes NewSessionTicket messages
* sent by the server. It returns one on success and zero on error.
*/
int SSL_process_quic_post_handshake(libressl.openssl.ossl_typ.SSL* ssl);
/**
* SSL_set_quic_transport_params configures |ssl| to send |params| (of length
* |params_len|) in the quic_transport_parameters extension in either the
* ClientHello or EncryptedExtensions handshake message. It is an error to set
* transport parameters if |ssl| is not configured for QUIC. The buffer pointed
* to by |params| only need be valid for the duration of the call to this
* function. This function returns 1 on success and 0 on failure.
*/
int SSL_set_quic_transport_params(libressl.openssl.ossl_typ.SSL* ssl, const (core.stdc.stdint.uint8_t)* params, size_t params_len);
/**
* SSL_get_peer_quic_transport_params provides the caller with the value of the
* quic_transport_parameters extension sent by the peer. A pointer to the buffer
* containing the TransportParameters will be put in |*out_params|, and its
* length in |*params_len|. This buffer will be valid for the lifetime of the
* |SSL|. If no params were received from the peer, |*out_params_len| will be 0.
*/
void SSL_get_peer_quic_transport_params(const (libressl.openssl.ossl_typ.SSL)* ssl, const (core.stdc.stdint.uint8_t)** out_params, size_t* out_params_len);
/**
* SSL_set_quic_use_legacy_codepoint configures whether to use the legacy QUIC
* extension codepoint 0xFFa5 as opposed to the official value 57. This is
* unsupported in LibreSSL.
*/
void SSL_set_quic_use_legacy_codepoint(libressl.openssl.ossl_typ.SSL* ssl, int use_legacy);
}
void ERR_load_SSL_strings();
/* Error codes for the SSL functions. */
/* Function codes. */
enum SSL_F_CLIENT_CERTIFICATE = 100;
enum SSL_F_CLIENT_FINISHED = 167;
enum SSL_F_CLIENT_HELLO = 101;
enum SSL_F_CLIENT_MASTER_KEY = 102;
enum SSL_F_D2I_SSL_SESSION = 103;
enum SSL_F_DO_DTLS1_WRITE = 245;
enum SSL_F_DO_SSL3_WRITE = 104;
enum SSL_F_DTLS1_ACCEPT = 246;
enum SSL_F_DTLS1_ADD_CERT_TO_BUF = 295;
enum SSL_F_DTLS1_BUFFER_RECORD = 247;
enum SSL_F_DTLS1_CHECK_TIMEOUT_NUM = 316;
enum SSL_F_DTLS1_CLIENT_HELLO = 248;
enum SSL_F_DTLS1_CONNECT = 249;
enum SSL_F_DTLS1_ENC = 250;
enum SSL_F_DTLS1_GET_HELLO_VERIFY = 251;
enum SSL_F_DTLS1_GET_MESSAGE = 252;
enum SSL_F_DTLS1_GET_MESSAGE_FRAGMENT = 253;
enum SSL_F_DTLS1_GET_RECORD = 254;
enum SSL_F_DTLS1_HANDLE_TIMEOUT = 297;
enum SSL_F_DTLS1_HEARTBEAT = 305;
enum SSL_F_DTLS1_OUTPUT_CERT_CHAIN = 255;
enum SSL_F_DTLS1_PREPROCESS_FRAGMENT = 288;
enum SSL_F_DTLS1_PROCESS_OUT_OF_SEQ_MESSAGE = 256;
enum SSL_F_DTLS1_PROCESS_RECORD = 257;
enum SSL_F_DTLS1_READ_BYTES = 258;
enum SSL_F_DTLS1_READ_FAILED = 259;
enum SSL_F_DTLS1_SEND_CERTIFICATE_REQUEST = 260;
enum SSL_F_DTLS1_SEND_CLIENT_CERTIFICATE = 261;
enum SSL_F_DTLS1_SEND_CLIENT_KEY_EXCHANGE = 262;
enum SSL_F_DTLS1_SEND_CLIENT_VERIFY = 263;
enum SSL_F_DTLS1_SEND_HELLO_VERIFY_REQUEST = 264;
enum SSL_F_DTLS1_SEND_SERVER_CERTIFICATE = 265;
enum SSL_F_DTLS1_SEND_SERVER_HELLO = 266;
enum SSL_F_DTLS1_SEND_SERVER_KEY_EXCHANGE = 267;
enum SSL_F_DTLS1_WRITE_APP_DATA_BYTES = 268;
enum SSL_F_GET_CLIENT_FINISHED = 105;
enum SSL_F_GET_CLIENT_HELLO = 106;
enum SSL_F_GET_CLIENT_MASTER_KEY = 107;
enum SSL_F_GET_SERVER_FINISHED = 108;
enum SSL_F_GET_SERVER_HELLO = 109;
enum SSL_F_GET_SERVER_VERIFY = 110;
enum SSL_F_I2D_SSL_SESSION = 111;
enum SSL_F_READ_N = 112;
enum SSL_F_REQUEST_CERTIFICATE = 113;
enum SSL_F_SERVER_FINISH = 239;
enum SSL_F_SERVER_HELLO = 114;
enum SSL_F_SERVER_VERIFY = 240;
enum SSL_F_SSL23_ACCEPT = 115;
enum SSL_F_SSL23_CLIENT_HELLO = 116;
enum SSL_F_SSL23_CONNECT = 117;
enum SSL_F_SSL23_GET_CLIENT_HELLO = 118;
enum SSL_F_SSL23_GET_SERVER_HELLO = 119;
enum SSL_F_SSL23_PEEK = 237;
enum SSL_F_SSL23_READ = 120;
enum SSL_F_SSL23_WRITE = 121;
enum SSL_F_SSL2_ACCEPT = 122;
enum SSL_F_SSL2_CONNECT = 123;
enum SSL_F_SSL2_ENC_INIT = 124;
enum SSL_F_SSL2_GENERATE_KEY_MATERIAL = 241;
enum SSL_F_SSL2_PEEK = 234;
enum SSL_F_SSL2_READ = 125;
enum SSL_F_SSL2_READ_INTERNAL = 236;
enum SSL_F_SSL2_SET_CERTIFICATE = 126;
enum SSL_F_SSL2_WRITE = 127;
enum SSL_F_SSL3_ACCEPT = 128;
enum SSL_F_SSL3_ADD_CERT_TO_BUF = 296;
enum SSL_F_SSL3_CALLBACK_CTRL = 233;
enum SSL_F_SSL3_CHANGE_CIPHER_STATE = 129;
enum SSL_F_SSL3_CHECK_CERT_AND_ALGORITHM = 130;
enum SSL_F_SSL3_CHECK_CLIENT_HELLO = 304;
enum SSL_F_SSL3_CLIENT_HELLO = 131;
enum SSL_F_SSL3_CONNECT = 132;
enum SSL_F_SSL3_CTRL = 213;
enum SSL_F_SSL3_CTX_CTRL = 133;
enum SSL_F_SSL3_DIGEST_CACHED_RECORDS = 293;
enum SSL_F_SSL3_DO_CHANGE_CIPHER_SPEC = 292;
enum SSL_F_SSL3_ENC = 134;
enum SSL_F_SSL3_GENERATE_KEY_BLOCK = 238;
enum SSL_F_SSL3_GET_CERTIFICATE_REQUEST = 135;
enum SSL_F_SSL3_GET_CERT_STATUS = 289;
enum SSL_F_SSL3_GET_CERT_VERIFY = 136;
enum SSL_F_SSL3_GET_CLIENT_CERTIFICATE = 137;
enum SSL_F_SSL3_GET_CLIENT_HELLO = 138;
enum SSL_F_SSL3_GET_CLIENT_KEY_EXCHANGE = 139;
enum SSL_F_SSL3_GET_FINISHED = 140;
enum SSL_F_SSL3_GET_KEY_EXCHANGE = 141;
enum SSL_F_SSL3_GET_MESSAGE = 142;
enum SSL_F_SSL3_GET_NEW_SESSION_TICKET = 283;
enum SSL_F_SSL3_GET_NEXT_PROTO = 306;
enum SSL_F_SSL3_GET_RECORD = 143;
enum SSL_F_SSL3_GET_SERVER_CERTIFICATE = 144;
enum SSL_F_SSL3_GET_SERVER_DONE = 145;
enum SSL_F_SSL3_GET_SERVER_HELLO = 146;
enum SSL_F_SSL3_HANDSHAKE_MAC = 285;
enum SSL_F_SSL3_NEW_SESSION_TICKET = 287;
enum SSL_F_SSL3_OUTPUT_CERT_CHAIN = 147;
enum SSL_F_SSL3_PEEK = 235;
enum SSL_F_SSL3_READ_BYTES = 148;
enum SSL_F_SSL3_READ_N = 149;
enum SSL_F_SSL3_SEND_CERTIFICATE_REQUEST = 150;
enum SSL_F_SSL3_SEND_CLIENT_CERTIFICATE = 151;
enum SSL_F_SSL3_SEND_CLIENT_KEY_EXCHANGE = 152;
enum SSL_F_SSL3_SEND_CLIENT_VERIFY = 153;
enum SSL_F_SSL3_SEND_SERVER_CERTIFICATE = 154;
enum SSL_F_SSL3_SEND_SERVER_HELLO = 242;
enum SSL_F_SSL3_SEND_SERVER_KEY_EXCHANGE = 155;
enum SSL_F_SSL3_SETUP_KEY_BLOCK = 157;
enum SSL_F_SSL3_SETUP_READ_BUFFER = 156;
enum SSL_F_SSL3_SETUP_WRITE_BUFFER = 291;
enum SSL_F_SSL3_WRITE_BYTES = 158;
enum SSL_F_SSL3_WRITE_PENDING = 159;
enum SSL_F_SSL_ADD_CLIENTHELLO_RENEGOTIATE_EXT = 298;
enum SSL_F_SSL_ADD_CLIENTHELLO_TLSEXT = 277;
enum SSL_F_SSL_ADD_CLIENTHELLO_USE_SRTP_EXT = 307;
enum SSL_F_SSL_ADD_DIR_CERT_SUBJECTS_TO_STACK = 215;
enum SSL_F_SSL_ADD_FILE_CERT_SUBJECTS_TO_STACK = 216;
enum SSL_F_SSL_ADD_SERVERHELLO_RENEGOTIATE_EXT = 299;
enum SSL_F_SSL_ADD_SERVERHELLO_TLSEXT = 278;
enum SSL_F_SSL_ADD_SERVERHELLO_USE_SRTP_EXT = 308;
enum SSL_F_SSL_BAD_METHOD = 160;
enum SSL_F_SSL_BYTES_TO_CIPHER_LIST = 161;
enum SSL_F_SSL_CERT_DUP = 221;
enum SSL_F_SSL_CERT_INST = 222;
enum SSL_F_SSL_CERT_INSTANTIATE = 214;
enum SSL_F_SSL_CERT_NEW = 162;
enum SSL_F_SSL_CHECK_PRIVATE_KEY = 163;
enum SSL_F_SSL_CHECK_SERVERHELLO_TLSEXT = 280;
enum SSL_F_SSL_CHECK_SRVR_ECC_CERT_AND_ALG = 279;
enum SSL_F_SSL_CIPHER_PROCESS_RULESTR = 230;
enum SSL_F_SSL_CIPHER_STRENGTH_SORT = 231;
enum SSL_F_SSL_CLEAR = 164;
enum SSL_F_SSL_COMP_ADD_COMPRESSION_METHOD = 165;
enum SSL_F_SSL_CREATE_CIPHER_LIST = 166;
enum SSL_F_SSL_CTRL = 232;
enum SSL_F_SSL_CTX_CHECK_PRIVATE_KEY = 168;
enum SSL_F_SSL_CTX_MAKE_PROFILES = 309;
enum SSL_F_SSL_CTX_NEW = 169;
enum SSL_F_SSL_CTX_SET_CIPHER_LIST = 269;
enum SSL_F_SSL_CTX_SET_CLIENT_CERT_ENGINE = 290;
enum SSL_F_SSL_CTX_SET_PURPOSE = 226;
enum SSL_F_SSL_CTX_SET_SESSION_ID_CONTEXT = 219;
enum SSL_F_SSL_CTX_SET_SSL_VERSION = 170;
enum SSL_F_SSL_CTX_SET_TRUST = 229;
enum SSL_F_SSL_CTX_USE_CERTIFICATE = 171;
enum SSL_F_SSL_CTX_USE_CERTIFICATE_ASN1 = 172;
enum SSL_F_SSL_CTX_USE_CERTIFICATE_CHAIN_FILE = 220;
enum SSL_F_SSL_CTX_USE_CERTIFICATE_FILE = 173;
enum SSL_F_SSL_CTX_USE_PRIVATEKEY = 174;
enum SSL_F_SSL_CTX_USE_PRIVATEKEY_ASN1 = 175;
enum SSL_F_SSL_CTX_USE_PRIVATEKEY_FILE = 176;
enum SSL_F_SSL_CTX_USE_PSK_IDENTITY_HINT = 272;
enum SSL_F_SSL_CTX_USE_RSAPRIVATEKEY = 177;
enum SSL_F_SSL_CTX_USE_RSAPRIVATEKEY_ASN1 = 178;
enum SSL_F_SSL_CTX_USE_RSAPRIVATEKEY_FILE = 179;
enum SSL_F_SSL_DO_HANDSHAKE = 180;
enum SSL_F_SSL_GET_NEW_SESSION = 181;
enum SSL_F_SSL_GET_PREV_SESSION = 217;
enum SSL_F_SSL_GET_SERVER_SEND_CERT = 182;
enum SSL_F_SSL_GET_SERVER_SEND_PKEY = 317;
enum SSL_F_SSL_GET_SIGN_PKEY = 183;
enum SSL_F_SSL_INIT_WBIO_BUFFER = 184;
enum SSL_F_SSL_LOAD_CLIENT_CA_FILE = 185;
enum SSL_F_SSL_NEW = 186;
enum SSL_F_SSL_PARSE_CLIENTHELLO_RENEGOTIATE_EXT = 300;
enum SSL_F_SSL_PARSE_CLIENTHELLO_TLSEXT = 302;
enum SSL_F_SSL_PARSE_CLIENTHELLO_USE_SRTP_EXT = 310;
enum SSL_F_SSL_PARSE_SERVERHELLO_RENEGOTIATE_EXT = 301;
enum SSL_F_SSL_PARSE_SERVERHELLO_TLSEXT = 303;
enum SSL_F_SSL_PARSE_SERVERHELLO_USE_SRTP_EXT = 311;
enum SSL_F_SSL_PEEK = 270;
enum SSL_F_SSL_PREPARE_CLIENTHELLO_TLSEXT = 281;
enum SSL_F_SSL_PREPARE_SERVERHELLO_TLSEXT = 282;
enum SSL_F_SSL_READ = 223;
enum SSL_F_SSL_RSA_PRIVATE_DECRYPT = 187;
enum SSL_F_SSL_RSA_PUBLIC_ENCRYPT = 188;
enum SSL_F_SSL_SESSION_NEW = 189;
enum SSL_F_SSL_SESSION_PRINT_FP = 190;
enum SSL_F_SSL_SESSION_SET1_ID_CONTEXT = 312;
enum SSL_F_SSL_SESS_CERT_NEW = 225;
enum SSL_F_SSL_SET_CERT = 191;
enum SSL_F_SSL_SET_CIPHER_LIST = 271;
enum SSL_F_SSL_SET_FD = 192;
enum SSL_F_SSL_SET_PKEY = 193;
enum SSL_F_SSL_SET_PURPOSE = 227;
enum SSL_F_SSL_SET_RFD = 194;
enum SSL_F_SSL_SET_SESSION = 195;
enum SSL_F_SSL_SET_SESSION_ID_CONTEXT = 218;
enum SSL_F_SSL_SET_SESSION_TICKET_EXT = 294;
enum SSL_F_SSL_SET_TRUST = 228;
enum SSL_F_SSL_SET_WFD = 196;
enum SSL_F_SSL_SHUTDOWN = 224;
enum SSL_F_SSL_SRP_CTX_INIT = 313;
enum SSL_F_SSL_UNDEFINED_CONST_FUNCTION = 243;
enum SSL_F_SSL_UNDEFINED_FUNCTION = 197;
enum SSL_F_SSL_UNDEFINED_VOID_FUNCTION = 244;
enum SSL_F_SSL_USE_CERTIFICATE = 198;
enum SSL_F_SSL_USE_CERTIFICATE_ASN1 = 199;
enum SSL_F_SSL_USE_CERTIFICATE_FILE = 200;
enum SSL_F_SSL_USE_PRIVATEKEY = 201;
enum SSL_F_SSL_USE_PRIVATEKEY_ASN1 = 202;
enum SSL_F_SSL_USE_PRIVATEKEY_FILE = 203;
enum SSL_F_SSL_USE_PSK_IDENTITY_HINT = 273;
enum SSL_F_SSL_USE_RSAPRIVATEKEY = 204;
enum SSL_F_SSL_USE_RSAPRIVATEKEY_ASN1 = 205;
enum SSL_F_SSL_USE_RSAPRIVATEKEY_FILE = 206;
enum SSL_F_SSL_VERIFY_CERT_CHAIN = 207;
enum SSL_F_SSL_WRITE = 208;
enum SSL_F_TLS1_AEAD_CTX_INIT = 339;
enum SSL_F_TLS1_CERT_VERIFY_MAC = 286;
enum SSL_F_TLS1_CHANGE_CIPHER_STATE = 209;
enum SSL_F_TLS1_CHANGE_CIPHER_STATE_AEAD = 340;
enum SSL_F_TLS1_CHANGE_CIPHER_STATE_CIPHER = 338;
enum SSL_F_TLS1_CHECK_SERVERHELLO_TLSEXT = 274;
enum SSL_F_TLS1_ENC = 210;
enum SSL_F_TLS1_EXPORT_KEYING_MATERIAL = 314;
enum SSL_F_TLS1_HEARTBEAT = 315;
enum SSL_F_TLS1_PREPARE_CLIENTHELLO_TLSEXT = 275;
enum SSL_F_TLS1_PREPARE_SERVERHELLO_TLSEXT = 276;
enum SSL_F_TLS1_PRF = 284;
enum SSL_F_TLS1_SETUP_KEY_BLOCK = 211;
enum SSL_F_WRITE_PENDING = 212;
/* Reason codes. */
enum SSL_R_APP_DATA_IN_HANDSHAKE = 100;
enum SSL_R_ATTEMPT_TO_REUSE_SESSION_IN_DIFFERENT_CONTEXT = 272;
enum SSL_R_BAD_ALERT_RECORD = 101;
enum SSL_R_BAD_AUTHENTICATION_TYPE = 102;
enum SSL_R_BAD_CHANGE_CIPHER_SPEC = 103;
enum SSL_R_BAD_CHECKSUM = 104;
enum SSL_R_BAD_DATA_RETURNED_BY_CALLBACK = 106;
enum SSL_R_BAD_DECOMPRESSION = 107;
enum SSL_R_BAD_DH_G_LENGTH = 108;
enum SSL_R_BAD_DH_PUB_KEY_LENGTH = 109;
enum SSL_R_BAD_DH_P_LENGTH = 110;
enum SSL_R_BAD_DIGEST_LENGTH = 111;
enum SSL_R_BAD_DSA_SIGNATURE = 112;
enum SSL_R_BAD_ECC_CERT = 304;
enum SSL_R_BAD_ECDSA_SIGNATURE = 305;
enum SSL_R_BAD_ECPOINT = 306;
enum SSL_R_BAD_HANDSHAKE_LENGTH = 332;
enum SSL_R_BAD_HELLO_REQUEST = 105;
enum SSL_R_BAD_LENGTH = 271;
enum SSL_R_BAD_MAC_DECODE = 113;
enum SSL_R_BAD_MAC_LENGTH = 333;
enum SSL_R_BAD_MESSAGE_TYPE = 114;
enum SSL_R_BAD_PACKET_LENGTH = 115;
enum SSL_R_BAD_PROTOCOL_VERSION_NUMBER = 116;
enum SSL_R_BAD_PSK_IDENTITY_HINT_LENGTH = 316;
enum SSL_R_BAD_RESPONSE_ARGUMENT = 117;
enum SSL_R_BAD_RSA_DECRYPT = 118;
enum SSL_R_BAD_RSA_ENCRYPT = 119;
enum SSL_R_BAD_RSA_E_LENGTH = 120;
enum SSL_R_BAD_RSA_MODULUS_LENGTH = 121;
enum SSL_R_BAD_RSA_SIGNATURE = 122;
enum SSL_R_BAD_SIGNATURE = 123;
enum SSL_R_BAD_SRP_A_LENGTH = 347;
enum SSL_R_BAD_SRP_B_LENGTH = 348;
enum SSL_R_BAD_SRP_G_LENGTH = 349;
enum SSL_R_BAD_SRP_N_LENGTH = 350;
enum SSL_R_BAD_SRP_S_LENGTH = 351;
enum SSL_R_BAD_SRTP_MKI_VALUE = 352;
enum SSL_R_BAD_SRTP_PROTECTION_PROFILE_LIST = 353;
enum SSL_R_BAD_SSL_FILETYPE = 124;
enum SSL_R_BAD_SSL_SESSION_ID_LENGTH = 125;
enum SSL_R_BAD_STATE = 126;
enum SSL_R_BAD_WRITE_RETRY = 127;
enum SSL_R_BIO_NOT_SET = 128;
enum SSL_R_BLOCK_CIPHER_PAD_IS_WRONG = 129;
enum SSL_R_BN_LIB = 130;
enum SSL_R_CA_DN_LENGTH_MISMATCH = 131;
enum SSL_R_CA_DN_TOO_LONG = 132;
enum SSL_R_CA_KEY_TOO_SMALL = 397;
enum SSL_R_CA_MD_TOO_WEAK = 398;
enum SSL_R_CCS_RECEIVED_EARLY = 133;
enum SSL_R_CERTIFICATE_VERIFY_FAILED = 134;
enum SSL_R_CERT_LENGTH_MISMATCH = 135;
enum SSL_R_CHALLENGE_IS_DIFFERENT = 136;
enum SSL_R_CIPHER_CODE_WRONG_LENGTH = 137;
enum SSL_R_CIPHER_COMPRESSION_UNAVAILABLE = 371;
enum SSL_R_CIPHER_OR_HASH_UNAVAILABLE = 138;
enum SSL_R_CIPHER_TABLE_SRC_ERROR = 139;
enum SSL_R_CLIENTHELLO_TLSEXT = 226;
enum SSL_R_COMPRESSED_LENGTH_TOO_LONG = 140;
enum SSL_R_COMPRESSION_DISABLED = 343;
enum SSL_R_COMPRESSION_FAILURE = 141;
enum SSL_R_COMPRESSION_ID_NOT_WITHIN_PRIVATE_RANGE = 307;
enum SSL_R_COMPRESSION_LIBRARY_ERROR = 142;
enum SSL_R_CONNECTION_ID_IS_DIFFERENT = 143;
enum SSL_R_CONNECTION_TYPE_NOT_SET = 144;
enum SSL_R_COOKIE_MISMATCH = 308;
enum SSL_R_DATA_BETWEEN_CCS_AND_FINISHED = 145;
enum SSL_R_DATA_LENGTH_TOO_LONG = 146;
enum SSL_R_DECRYPTION_FAILED = 147;
enum SSL_R_DECRYPTION_FAILED_OR_BAD_RECORD_MAC = 281;
enum SSL_R_DH_KEY_TOO_SMALL = 394;
enum SSL_R_DH_PUBLIC_VALUE_LENGTH_IS_WRONG = 148;
enum SSL_R_DIGEST_CHECK_FAILED = 149;
enum SSL_R_DTLS_MESSAGE_TOO_BIG = 334;
enum SSL_R_DUPLICATE_COMPRESSION_ID = 309;
enum SSL_R_ECC_CERT_NOT_FOR_KEY_AGREEMENT = 317;
enum SSL_R_ECC_CERT_NOT_FOR_SIGNING = 318;
enum SSL_R_ECC_CERT_SHOULD_HAVE_RSA_SIGNATURE = 322;
enum SSL_R_ECC_CERT_SHOULD_HAVE_SHA1_SIGNATURE = 323;
enum SSL_R_ECGROUP_TOO_LARGE_FOR_CIPHER = 310;
enum SSL_R_EE_KEY_TOO_SMALL = 399;
enum SSL_R_EMPTY_SRTP_PROTECTION_PROFILE_LIST = 354;
enum SSL_R_ENCRYPTED_LENGTH_TOO_LONG = 150;
enum SSL_R_ERROR_GENERATING_TMP_RSA_KEY = 282;
enum SSL_R_ERROR_IN_RECEIVED_CIPHER_LIST = 151;
enum SSL_R_EXCESSIVE_MESSAGE_SIZE = 152;
enum SSL_R_EXTRA_DATA_IN_MESSAGE = 153;
enum SSL_R_GOT_A_FIN_BEFORE_A_CCS = 154;
enum SSL_R_GOT_NEXT_PROTO_BEFORE_A_CCS = 355;
enum SSL_R_GOT_NEXT_PROTO_WITHOUT_EXTENSION = 356;
enum SSL_R_HTTPS_PROXY_REQUEST = 155;
enum SSL_R_HTTP_REQUEST = 156;
enum SSL_R_ILLEGAL_PADDING = 283;
enum SSL_R_INAPPROPRIATE_FALLBACK = 373;
enum SSL_R_INCONSISTENT_COMPRESSION = 340;
enum SSL_R_INVALID_CHALLENGE_LENGTH = 158;
enum SSL_R_INVALID_COMMAND = 280;
enum SSL_R_INVALID_COMPRESSION_ALGORITHM = 341;
enum SSL_R_INVALID_PURPOSE = 278;
enum SSL_R_INVALID_SRP_USERNAME = 357;
enum SSL_R_INVALID_STATUS_RESPONSE = 328;
enum SSL_R_INVALID_TICKET_KEYS_LENGTH = 325;
enum SSL_R_INVALID_TRUST = 279;
enum SSL_R_KEY_ARG_TOO_LONG = 284;
enum SSL_R_KRB5 = 285;
enum SSL_R_KRB5_C_CC_PRINC = 286;
enum SSL_R_KRB5_C_GET_CRED = 287;
enum SSL_R_KRB5_C_INIT = 288;
enum SSL_R_KRB5_C_MK_REQ = 289;
enum SSL_R_KRB5_S_BAD_TICKET = 290;
enum SSL_R_KRB5_S_INIT = 291;
enum SSL_R_KRB5_S_RD_REQ = 292;
enum SSL_R_KRB5_S_TKT_EXPIRED = 293;
enum SSL_R_KRB5_S_TKT_NYV = 294;
enum SSL_R_KRB5_S_TKT_SKEW = 295;
enum SSL_R_LENGTH_MISMATCH = 159;
enum SSL_R_LENGTH_TOO_SHORT = 160;
enum SSL_R_LIBRARY_BUG = 274;
enum SSL_R_LIBRARY_HAS_NO_CIPHERS = 161;
enum SSL_R_MESSAGE_TOO_LONG = 296;
enum SSL_R_MISSING_DH_DSA_CERT = 162;
enum SSL_R_MISSING_DH_KEY = 163;
enum SSL_R_MISSING_DH_RSA_CERT = 164;
enum SSL_R_MISSING_DSA_SIGNING_CERT = 165;
enum SSL_R_MISSING_EXPORT_TMP_DH_KEY = 166;
enum SSL_R_MISSING_EXPORT_TMP_RSA_KEY = 167;
enum SSL_R_MISSING_RSA_CERTIFICATE = 168;
enum SSL_R_MISSING_RSA_ENCRYPTING_CERT = 169;
enum SSL_R_MISSING_RSA_SIGNING_CERT = 170;
enum SSL_R_MISSING_SRP_PARAM = 358;
enum SSL_R_MISSING_TMP_DH_KEY = 171;
enum SSL_R_MISSING_TMP_ECDH_KEY = 311;
enum SSL_R_MISSING_TMP_RSA_KEY = 172;
enum SSL_R_MISSING_TMP_RSA_PKEY = 173;
enum SSL_R_MISSING_VERIFY_MESSAGE = 174;
enum SSL_R_MULTIPLE_SGC_RESTARTS = 346;
enum SSL_R_NON_SSLV2_INITIAL_PACKET = 175;
enum SSL_R_NO_APPLICATION_PROTOCOL = 235;
enum SSL_R_NO_CERTIFICATES_RETURNED = 176;
enum SSL_R_NO_CERTIFICATE_ASSIGNED = 177;
enum SSL_R_NO_CERTIFICATE_RETURNED = 178;
enum SSL_R_NO_CERTIFICATE_SET = 179;
enum SSL_R_NO_CERTIFICATE_SPECIFIED = 180;
enum SSL_R_NO_CIPHERS_AVAILABLE = 181;
enum SSL_R_NO_CIPHERS_PASSED = 182;
enum SSL_R_NO_CIPHERS_SPECIFIED = 183;
enum SSL_R_NO_CIPHER_LIST = 184;
enum SSL_R_NO_CIPHER_MATCH = 185;
enum SSL_R_NO_CLIENT_CERT_METHOD = 331;
enum SSL_R_NO_CLIENT_CERT_RECEIVED = 186;
enum SSL_R_NO_COMPRESSION_SPECIFIED = 187;
enum SSL_R_NO_GOST_CERTIFICATE_SENT_BY_PEER = 330;
enum SSL_R_NO_METHOD_SPECIFIED = 188;
enum SSL_R_NO_PRIVATEKEY = 189;
enum SSL_R_NO_PRIVATE_KEY_ASSIGNED = 190;
enum SSL_R_NO_PROTOCOLS_AVAILABLE = 191;
enum SSL_R_NO_PUBLICKEY = 192;
enum SSL_R_NO_RENEGOTIATION = 339;
enum SSL_R_NO_REQUIRED_DIGEST = 324;
enum SSL_R_NO_SHARED_CIPHER = 193;
enum SSL_R_NO_SRTP_PROFILES = 359;
enum SSL_R_NO_VERIFY_CALLBACK = 194;
enum SSL_R_NULL_SSL_CTX = 195;
enum SSL_R_NULL_SSL_METHOD_PASSED = 196;
enum SSL_R_OLD_SESSION_CIPHER_NOT_RETURNED = 197;
enum SSL_R_OLD_SESSION_COMPRESSION_ALGORITHM_NOT_RETURNED = 344;
enum SSL_R_ONLY_TLS_ALLOWED_IN_FIPS_MODE = 297;
enum SSL_R_PACKET_LENGTH_TOO_LONG = 198;
enum SSL_R_PARSE_TLSEXT = 227;
enum SSL_R_PATH_TOO_LONG = 270;
enum SSL_R_PEER_DID_NOT_RETURN_A_CERTIFICATE = 199;
enum SSL_R_PEER_ERROR = 200;
enum SSL_R_PEER_ERROR_CERTIFICATE = 201;
enum SSL_R_PEER_ERROR_NO_CERTIFICATE = 202;
enum SSL_R_PEER_ERROR_NO_CIPHER = 203;
enum SSL_R_PEER_ERROR_UNSUPPORTED_CERTIFICATE_TYPE = 204;
enum SSL_R_PRE_MAC_LENGTH_TOO_LONG = 205;
enum SSL_R_PROBLEMS_MAPPING_CIPHER_FUNCTIONS = 206;
enum SSL_R_PROTOCOL_IS_SHUTDOWN = 207;
enum SSL_R_PSK_IDENTITY_NOT_FOUND = 223;
enum SSL_R_PSK_NO_CLIENT_CB = 224;
enum SSL_R_PSK_NO_SERVER_CB = 225;
enum SSL_R_PUBLIC_KEY_ENCRYPT_ERROR = 208;
enum SSL_R_PUBLIC_KEY_IS_NOT_RSA = 209;
enum SSL_R_PUBLIC_KEY_NOT_RSA = 210;
enum SSL_R_READ_BIO_NOT_SET = 211;
enum SSL_R_READ_TIMEOUT_EXPIRED = 312;
enum SSL_R_READ_WRONG_PACKET_TYPE = 212;
enum SSL_R_RECORD_LENGTH_MISMATCH = 213;
enum SSL_R_RECORD_TOO_LARGE = 214;
enum SSL_R_RECORD_TOO_SMALL = 298;
enum SSL_R_RENEGOTIATE_EXT_TOO_LONG = 335;
enum SSL_R_RENEGOTIATION_ENCODING_ERR = 336;
enum SSL_R_RENEGOTIATION_MISMATCH = 337;
enum SSL_R_REQUIRED_CIPHER_MISSING = 215;
enum SSL_R_REQUIRED_COMPRESSSION_ALGORITHM_MISSING = 342;
enum SSL_R_REUSE_CERT_LENGTH_NOT_ZERO = 216;
enum SSL_R_REUSE_CERT_TYPE_NOT_ZERO = 217;
enum SSL_R_REUSE_CIPHER_LIST_NOT_ZERO = 218;
enum SSL_R_SCSV_RECEIVED_WHEN_RENEGOTIATING = 345;
enum SSL_R_SERVERHELLO_TLSEXT = 275;
enum SSL_R_SESSION_ID_CONTEXT_UNINITIALIZED = 277;
enum SSL_R_SHORT_READ = 219;
enum SSL_R_SIGNATURE_ALGORITHMS_ERROR = 360;
enum SSL_R_SIGNATURE_FOR_NON_SIGNING_CERTIFICATE = 220;
enum SSL_R_SRP_A_CALC = 361;
enum SSL_R_SRTP_COULD_NOT_ALLOCATE_PROFILES = 362;
enum SSL_R_SRTP_PROTECTION_PROFILE_LIST_TOO_LONG = 363;
enum SSL_R_SRTP_UNKNOWN_PROTECTION_PROFILE = 364;
enum SSL_R_SSL23_DOING_SESSION_ID_REUSE = 221;
enum SSL_R_SSL2_CONNECTION_ID_TOO_LONG = 299;
enum SSL_R_SSL3_EXT_INVALID_ECPOINTFORMAT = 321;
enum SSL_R_SSL3_EXT_INVALID_SERVERNAME = 319;
enum SSL_R_SSL3_EXT_INVALID_SERVERNAME_TYPE = 320;
enum SSL_R_SSL3_SESSION_ID_TOO_LONG = 300;
enum SSL_R_SSL3_SESSION_ID_TOO_SHORT = 222;
enum SSL_R_SSLV3_ALERT_BAD_CERTIFICATE = 1042;
enum SSL_R_SSLV3_ALERT_BAD_RECORD_MAC = 1020;
enum SSL_R_SSLV3_ALERT_CERTIFICATE_EXPIRED = 1045;
enum SSL_R_SSLV3_ALERT_CERTIFICATE_REVOKED = 1044;
enum SSL_R_SSLV3_ALERT_CERTIFICATE_UNKNOWN = 1046;
enum SSL_R_SSLV3_ALERT_DECOMPRESSION_FAILURE = 1030;
enum SSL_R_SSLV3_ALERT_HANDSHAKE_FAILURE = 1040;
enum SSL_R_SSLV3_ALERT_ILLEGAL_PARAMETER = 1047;
enum SSL_R_SSLV3_ALERT_NO_CERTIFICATE = 1041;
enum SSL_R_SSLV3_ALERT_UNEXPECTED_MESSAGE = 1010;
enum SSL_R_SSLV3_ALERT_UNSUPPORTED_CERTIFICATE = 1043;
enum SSL_R_SSL_CTX_HAS_NO_DEFAULT_SSL_VERSION = 228;
enum SSL_R_SSL_HANDSHAKE_FAILURE = 229;
enum SSL_R_SSL_LIBRARY_HAS_NO_CIPHERS = 230;
enum SSL_R_SSL_SESSION_ID_CALLBACK_FAILED = 301;
enum SSL_R_SSL_SESSION_ID_CONFLICT = 302;
enum SSL_R_SSL_SESSION_ID_CONTEXT_TOO_LONG = 273;
enum SSL_R_SSL_SESSION_ID_HAS_BAD_LENGTH = 303;
enum SSL_R_SSL_SESSION_ID_IS_DIFFERENT = 231;
enum SSL_R_SSL_SESSION_ID_TOO_LONG = 408;
enum SSL_R_TLSV1_ALERT_ACCESS_DENIED = 1049;
enum SSL_R_TLSV1_ALERT_DECODE_ERROR = 1050;
enum SSL_R_TLSV1_ALERT_DECRYPTION_FAILED = 1021;
enum SSL_R_TLSV1_ALERT_DECRYPT_ERROR = 1051;
enum SSL_R_TLSV1_ALERT_EXPORT_RESTRICTION = 1060;
enum SSL_R_TLSV1_ALERT_INAPPROPRIATE_FALLBACK = 1086;
enum SSL_R_TLSV1_ALERT_INSUFFICIENT_SECURITY = 1071;
enum SSL_R_TLSV1_ALERT_INTERNAL_ERROR = 1080;
enum SSL_R_TLSV1_ALERT_NO_RENEGOTIATION = 1100;
enum SSL_R_TLSV1_ALERT_PROTOCOL_VERSION = 1070;
enum SSL_R_TLSV1_ALERT_RECORD_OVERFLOW = 1022;
enum SSL_R_TLSV1_ALERT_UNKNOWN_CA = 1048;
enum SSL_R_TLSV1_ALERT_USER_CANCELLED = 1090;
enum SSL_R_TLSV1_BAD_CERTIFICATE_HASH_VALUE = 1114;
enum SSL_R_TLSV1_BAD_CERTIFICATE_STATUS_RESPONSE = 1113;
enum SSL_R_TLSV1_CERTIFICATE_UNOBTAINABLE = 1111;
enum SSL_R_TLSV1_UNRECOGNIZED_NAME = 1112;
enum SSL_R_TLSV1_UNSUPPORTED_EXTENSION = 1110;
enum SSL_R_TLS_CLIENT_CERT_REQ_WITH_ANON_CIPHER = 232;
enum SSL_R_TLS_HEARTBEAT_PEER_DOESNT_ACCEPT = 365;
enum SSL_R_TLS_HEARTBEAT_PENDING = 366;
enum SSL_R_TLS_ILLEGAL_EXPORTER_LABEL = 367;
enum SSL_R_TLS_INVALID_ECPOINTFORMAT_LIST = 157;
enum SSL_R_TLS_PEER_DID_NOT_RESPOND_WITH_CERTIFICATE_LIST = 233;
enum SSL_R_TLS_RSA_ENCRYPTED_VALUE_LENGTH_IS_WRONG = 234;
enum SSL_R_TRIED_TO_USE_UNSUPPORTED_CIPHER = 235;
enum SSL_R_UNABLE_TO_DECODE_DH_CERTS = 236;
enum SSL_R_UNABLE_TO_DECODE_ECDH_CERTS = 313;
enum SSL_R_UNABLE_TO_EXTRACT_PUBLIC_KEY = 237;
enum SSL_R_UNABLE_TO_FIND_DH_PARAMETERS = 238;
enum SSL_R_UNABLE_TO_FIND_ECDH_PARAMETERS = 314;
enum SSL_R_UNABLE_TO_FIND_PUBLIC_KEY_PARAMETERS = 239;
enum SSL_R_UNABLE_TO_FIND_SSL_METHOD = 240;
enum SSL_R_UNABLE_TO_LOAD_SSL2_MD5_ROUTINES = 241;
enum SSL_R_UNABLE_TO_LOAD_SSL3_MD5_ROUTINES = 242;
enum SSL_R_UNABLE_TO_LOAD_SSL3_SHA1_ROUTINES = 243;
enum SSL_R_UNEXPECTED_MESSAGE = 244;
enum SSL_R_UNEXPECTED_RECORD = 245;
enum SSL_R_UNINITIALIZED = 276;
enum SSL_R_UNKNOWN_ALERT_TYPE = 246;
enum SSL_R_UNKNOWN_CERTIFICATE_TYPE = 247;
enum SSL_R_UNKNOWN_CIPHER_RETURNED = 248;
enum SSL_R_UNKNOWN_CIPHER_TYPE = 249;
enum SSL_R_UNKNOWN_DIGEST = 368;
enum SSL_R_UNKNOWN_KEY_EXCHANGE_TYPE = 250;
enum SSL_R_UNKNOWN_PKEY_TYPE = 251;
enum SSL_R_UNKNOWN_PROTOCOL = 252;
enum SSL_R_UNKNOWN_REMOTE_ERROR_TYPE = 253;
enum SSL_R_UNKNOWN_SSL_VERSION = 254;
enum SSL_R_UNKNOWN_STATE = 255;
enum SSL_R_UNSAFE_LEGACY_RENEGOTIATION_DISABLED = 338;
enum SSL_R_UNSUPPORTED_CIPHER = 256;
enum SSL_R_UNSUPPORTED_COMPRESSION_ALGORITHM = 257;
enum SSL_R_UNSUPPORTED_DIGEST_TYPE = 326;
enum SSL_R_UNSUPPORTED_ELLIPTIC_CURVE = 315;
enum SSL_R_UNSUPPORTED_PROTOCOL = 258;
enum SSL_R_UNSUPPORTED_SSL_VERSION = 259;
enum SSL_R_UNSUPPORTED_STATUS_TYPE = 329;
enum SSL_R_USE_SRTP_NOT_NEGOTIATED = 369;
enum SSL_R_VERSION_TOO_LOW = 396;
enum SSL_R_WRITE_BIO_NOT_SET = 260;
enum SSL_R_WRONG_CIPHER_RETURNED = 261;
enum SSL_R_WRONG_CURVE = 378;
enum SSL_R_WRONG_MESSAGE_TYPE = 262;
enum SSL_R_WRONG_NUMBER_OF_KEY_BITS = 263;
enum SSL_R_WRONG_SIGNATURE_LENGTH = 264;
enum SSL_R_WRONG_SIGNATURE_SIZE = 265;
enum SSL_R_WRONG_SIGNATURE_TYPE = 370;
enum SSL_R_WRONG_SSL_VERSION = 266;
enum SSL_R_WRONG_VERSION_NUMBER = 267;
enum SSL_R_X509_LIB = 268;
enum SSL_R_X509_VERIFICATION_SETUP_PROBLEMS = 269;
enum SSL_R_PEER_BEHAVING_BADLY = 666;
enum SSL_R_QUIC_INTERNAL_ERROR = 667;
enum SSL_R_WRONG_ENCRYPTION_LEVEL_RECEIVED = 668;
enum SSL_R_UNKNOWN = 999;
/*
* OpenSSL compatible OPENSSL_INIT options
*/
/*
* These are provided for compatibility, but have no effect
* on how LibreSSL is initialized.
*/
enum OPENSSL_INIT_LOAD_SSL_STRINGS = libressl.openssl.crypto._OPENSSL_INIT_FLAG_NOOP;
enum OPENSSL_INIT_SSL_DEFAULT = libressl.openssl.crypto._OPENSSL_INIT_FLAG_NOOP;
int OPENSSL_init_ssl(core.stdc.stdint.uint64_t opts, const (void)* settings);
|
D
|
/Users/petercernak/vapor/TILApp/Build/Intermediates.noindex/TILApp.build/Debug/FluentSQL.build/Objects-normal/x86_64/FluentSQLQuery.o : /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLSchema.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SchemaBuilder+Field.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+SchemaSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+JoinSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+QuerySupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+Contains.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/QueryBuilder+GroupBy.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/SQL.framework/Modules/SQL.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Command.framework/Modules/Command.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Fluent.framework/Modules/Fluent.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/cpp_magic.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIODarwin/include/c_nio_darwin.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/c-atomics.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOLinux/include/c_nio_linux.h /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--6538424668019974428/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/petercernak/vapor/TILApp/Build/Intermediates.noindex/TILApp.build/Debug/FluentSQL.build/Objects-normal/x86_64/FluentSQLQuery~partial.swiftmodule : /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLSchema.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SchemaBuilder+Field.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+SchemaSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+JoinSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+QuerySupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+Contains.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/QueryBuilder+GroupBy.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/SQL.framework/Modules/SQL.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Command.framework/Modules/Command.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Fluent.framework/Modules/Fluent.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/cpp_magic.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIODarwin/include/c_nio_darwin.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/c-atomics.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOLinux/include/c_nio_linux.h /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--6538424668019974428/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/petercernak/vapor/TILApp/Build/Intermediates.noindex/TILApp.build/Debug/FluentSQL.build/Objects-normal/x86_64/FluentSQLQuery~partial.swiftdoc : /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLSchema.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SchemaBuilder+Field.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+SchemaSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+JoinSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+QuerySupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+Contains.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/QueryBuilder+GroupBy.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/SQL.framework/Modules/SQL.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Command.framework/Modules/Command.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Fluent.framework/Modules/Fluent.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/cpp_magic.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIODarwin/include/c_nio_darwin.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/c-atomics.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOLinux/include/c_nio_linux.h /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--6538424668019974428/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
/Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Result.o : /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Timeline.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Response.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/TaskDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Validation.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/AFError.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Notifications.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Result.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Request.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ServerTrustPolicy.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/anton/Desktop/WeatherApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/dyld.modulemap /Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.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.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Result~partial.swiftmodule : /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Timeline.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Response.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/TaskDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Validation.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/AFError.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Notifications.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Result.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Request.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ServerTrustPolicy.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/anton/Desktop/WeatherApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/dyld.modulemap /Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.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.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Result~partial.swiftdoc : /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Timeline.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Response.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/TaskDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Validation.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/AFError.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Notifications.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Result.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Request.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ServerTrustPolicy.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/anton/Desktop/WeatherApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/dyld.modulemap /Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.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.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Result~partial.swiftsourceinfo : /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Timeline.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Alamofire.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Response.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/TaskDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Validation.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/SessionManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/AFError.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Notifications.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Result.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/Request.swift /Users/anton/Desktop/WeatherApp/Pods/Alamofire/Source/ServerTrustPolicy.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/anton/Desktop/WeatherApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/dyld.modulemap /Users/anton/Desktop/WeatherApp/DerivedData/WeatherApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.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.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.3.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
/Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Multipart.build/MultipartSerializer.swift.o : /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartPartConvertible.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/FormDataDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/FormDataEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartParser.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartSerializer.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartPart.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/PostgreSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentPostgreSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Redis.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Multipart.build/MultipartSerializer~partial.swiftmodule : /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartPartConvertible.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/FormDataDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/FormDataEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartParser.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartSerializer.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartPart.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/PostgreSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentPostgreSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Redis.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Multipart.build/MultipartSerializer~partial.swiftdoc : /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartPartConvertible.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/FormDataDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/FormDataEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartParser.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartSerializer.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartPart.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/PostgreSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentPostgreSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Redis.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Multipart.build/MultipartSerializer~partial.swiftsourceinfo : /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartPartConvertible.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/FormDataDecoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/FormDataEncoder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartParser.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartSerializer.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/multipart/Sources/Multipart/MultipartPart.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/PostgreSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentPostgreSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Redis.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppUsers/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
module dwig.parser;
import dwig.tokenstream;
import dwig.token;
import dwig.node;
import dwig.nodes.text;
import std.experimental.logger;
interface ParserInterface
{
void parse(TokenStream stream);
}
class Parser : ParserInterface
{
private
{
TokenStream stream;
}
this()
{
// Constructor code
}
void parse(TokenStream stream)
{
this.stream = stream;
auto xx = subparse();
}
NodeInterface subparse()
{
auto lineno = stream.getCurrent.lineno;
trace("lineno:", lineno);
NodeInterface[] rv;
while(!stream.empty)
{
trace("stream.getCurrent.type:", stream.getCurrent.type);
switch(stream.getCurrent.type)
{
case TokenType.TEXT_TYPE:
auto token = stream.next;
trace("token.value:", token.value);
trace("--------------------------------------");
rv ~= new TextNode(token.value, token.lineno);
break;
case TokenType.VAR_START_TYPE:
auto token = stream.next;
//TODO
break;
case TokenType.BLOCK_START_TYPE:
auto token = stream.next;
///TODO
break;
default:
throw new Exception("Lexer or parser error");
}
}
if(rv.length == 1)
return rv[0];
return new BaseNode(rv);
}
}
|
D
|
/Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Intermediates/WanAndroid_IOS.build/Debug-iphonesimulator/WanAndroid_IOS.build/Objects-normal/x86_64/AppDelegate.o : /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/HotTabVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/TableVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/homeVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/collectionVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/scrollerVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/alterT/alterVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/ProjectVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/imageT/ImagetVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/LableText/TextVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/MyTabViewVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/AppDelegate.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/collectionCell.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/TableViewCell.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/Common.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ButtonT/button.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/CollectionHeader.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/MyNavigationController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/oneViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/MainViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/twoViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/other/otherViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/LableText/FeedBackView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Modules/SnapKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Headers/SnapKit-umbrella.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Headers/SnapKit-Swift.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Intermediates/WanAndroid_IOS.build/Debug-iphonesimulator/WanAndroid_IOS.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/HotTabVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/TableVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/homeVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/collectionVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/scrollerVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/alterT/alterVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/ProjectVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/imageT/ImagetVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/LableText/TextVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/MyTabViewVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/AppDelegate.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/collectionCell.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/TableViewCell.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/Common.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ButtonT/button.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/CollectionHeader.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/MyNavigationController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/oneViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/MainViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/twoViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/other/otherViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/LableText/FeedBackView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Modules/SnapKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Headers/SnapKit-umbrella.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Headers/SnapKit-Swift.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Intermediates/WanAndroid_IOS.build/Debug-iphonesimulator/WanAndroid_IOS.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/HotTabVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/TableVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/homeVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/collectionVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/scrollerVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/alterT/alterVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/ProjectVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/imageT/ImagetVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/LableText/TextVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/MyTabViewVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/AppDelegate.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/collectionCell.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/TableViewCell.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/Common.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ButtonT/button.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/CollectionHeader.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/MyNavigationController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/oneViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/MainViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/twoViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/other/otherViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/LableText/FeedBackView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Modules/SnapKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Headers/SnapKit-umbrella.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Headers/SnapKit-Swift.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Intermediates/WanAndroid_IOS.build/Debug-iphonesimulator/WanAndroid_IOS.build/Objects-normal/x86_64/AppDelegate~partial.swiftsourceinfo : /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/HotTabVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/TableVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/homeVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/collectionVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/scrollerVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/alterT/alterVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/ProjectVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/imageT/ImagetVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/LableText/TextVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/tabVC/MyTabViewVC.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/AppDelegate.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/collectionCell.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/TableViewCell.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/Common.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ButtonT/button.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/ListT/CollectionHeader.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/MyNavigationController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/oneViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/MainViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/scrollerT/twoViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/other/otherViewController.swift /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/WanAndroid_IOS/home/LableText/FeedBackView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Modules/SnapKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Headers/SnapKit-umbrella.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Headers/SnapKit-Swift.h /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/GuoYanjun/Desktop/TestDemo/WanAndroid_IOS/Build/Products/Debug-iphonesimulator/SnapKit/SnapKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
<?xml version="1.0" encoding="UTF-8"?>
<di:SashWindowsMngr xmi:version="2.0" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi">
<pageList>
<availablePage>
<emfPageIdentifier href="GoogleAppEngineDeployment.notation#_iWQ1EAi3EeOpWq22bueY-w"/>
</availablePage>
<availablePage>
<emfPageIdentifier href="GoogleAppEngineDeployment.notation#_iWQ1Egi3EeOpWq22bueY-w"/>
</availablePage>
<availablePage>
<emfPageIdentifier href="GoogleAppEngineDeployment.notation#_iWjwAAi3EeOpWq22bueY-w"/>
</availablePage>
<availablePage>
<emfPageIdentifier href="GoogleAppEngineDeployment.notation#__k9ucAi4EeOpWq22bueY-w"/>
</availablePage>
</pageList>
<sashModel currentSelection="//@sashModel/@windows.0/@children.0">
<windows>
<children xsi:type="di:TabFolder">
<children>
<emfPageIdentifier href="GoogleAppEngineDeployment.notation#_iWQ1EAi3EeOpWq22bueY-w"/>
</children>
<children>
<emfPageIdentifier href="GoogleAppEngineDeployment.notation#_iWQ1Egi3EeOpWq22bueY-w"/>
</children>
<children>
<emfPageIdentifier href="GoogleAppEngineDeployment.notation#_iWjwAAi3EeOpWq22bueY-w"/>
</children>
<children>
<emfPageIdentifier href="GoogleAppEngineDeployment.notation#__k9ucAi4EeOpWq22bueY-w"/>
</children>
</children>
</windows>
</sashModel>
</di:SashWindowsMngr>
|
D
|
// Copyright 2018 - 2022 Michael D. Parker
// Distributed under the Boost Software License, Version 1.0.
// (See accompanying file LICENSE_1_0.txt or copy at
// http://www.boost.org/LICENSE_1_0.txt)
module bindbc.sdl.bind.sdlsystem;
import bindbc.sdl.config;
import bindbc.sdl.bind.sdlrender : SDL_Renderer;
import bindbc.sdl.bind.sdlstdinc : SDL_bool;
version(Android) {
enum int SDL_ANDROID_EXTERNAL_STORAGE_READ = 0x01;
enum int SDL_ANDROID_EXTERNAL_STORAGE_WRITE = 0x02;
}
static if(sdlSupport >= SDLSupport.sdl201) {
version(Windows) struct IDirect3DDevice9;
}
static if(sdlSupport >= SDLSupport.sdl204) {
version(Windows) {
extern(C) nothrow alias SDL_WindowsMessageHook = void function(void*,void*,uint,ulong,long);
}
}
static if(staticBinding) {
extern(C) @nogc nothrow {
version(Android) {
void* SDL_AndroidGetJNIEnv();
void* SDL_AndroidGetActivity();
const(char)* SDL_AndroidGetInternalStoragePath();
int SDL_AndroidGetExternalStorageState();
const(char)* SDL_AndroidGetExternalStoragePath();
static if(sdlSupport >= SDLSupport.sdl208) {
SDL_bool SDL_IsAndroidTV();
}
static if(sdlSupport >= SDLSupport.sdl209) {
SDL_bool SDL_IsChromebook();
SDL_bool SDL_IsDeXMode();
void SDL_AndroidBackButton();
}
static if(sdlSupport >= SDLSupport.sdl2012) {
int SDL_GetAndroidSDKVersion();
}
static if(sdlSupport >= SDLSupport.sdl2014) {
SDL_bool SDL_AndroidRequestPermission(const(char)* permission);
}
static if(sdlSupport >= SDLSupport.sdl2016) {
int SDL_AndroidShowToast(const(char)* message, int duration, int gravity, int xoffset, int yoffset);
}
}
else version(Windows) {
static if(sdlSupport >= SDLSupport.sdl201) {
int SDL_Direct3D9GetAdapterIndex(int displayIndex);
IDirect3DDevice9* SDL_RenderGetD3D9Device(SDL_Renderer* renderer);
}
static if(sdlSupport >= SDLSupport.sdl202) {
SDL_bool SDL_DXGIGetOutputInfo(int displayIndex, int* adapterIndex, int* outputIndex);
}
static if(sdlSupport >= SDLSupport.sdl204) {
void SDL_SetWindowsMessageHook(SDL_WindowsMessageHook callback, void* userdata);
}
static if(sdlSupport >= SDLSupport.sdl2016) {
void SDL_RenderGetD3D11Device(SDL_Renderer* renderer);
}
}
else version(linux) {
static if(sdlSupport >= SDLSupport.sdl209) {
int SDL_LinuxSetThreadPriority(long threadID, int priority);
}
static if(sdlSupport >= SDLSupport.sdl2018) {
int SDL_LinuxSetThreadPriorityAndPolicy(long threadID, int sdlPriority, int schedPolicy);
}
}
}
}
else {
version(Android) {
extern(C) @nogc nothrow {
alias pSDL_AndroidGetJNIEnv = void* function();
alias pSDL_AndroidGetActivity = void* function();
alias pSDL_AndroidGetInternalStoragePath = const(char)* function();
alias pSDL_AndroidGetExternalStorageState = int function();
alias pSDL_AndroidGetExternalStoragePath = const(char)* function();
}
__gshared {
pSDL_AndroidGetJNIEnv SDL_AndroidGetJNIEnv;
pSDL_AndroidGetActivity SDL_AndroidGetActivity;
pSDL_AndroidGetInternalStoragePath SDL_AndroidGetInternalStoragePath;
pSDL_AndroidGetExternalStorageState SDL_AndroidGetExternalStorageState;
pSDL_AndroidGetExternalStoragePath SDL_AndroidGetExternalStoragePath;
}
static if(sdlSupport >= SDLSupport.sdl208) {
extern(C) @nogc nothrow {
alias pSDL_IsAndroidTV = SDL_bool function();
}
__gshared {
pSDL_IsAndroidTV SDL_IsAndroidTV;
}
}
static if(sdlSupport >= SDLSupport.sdl209) {
extern(C) @nogc nothrow {
alias pSDL_IsChromebook = SDL_bool function();
alias pSDL_IsDeXMode = SDL_bool function();
alias pSDL_AndroidBackButton = void function();
}
__gshared {
pSDL_IsChromebook SDL_IsChromebook;
pSDL_IsDeXMode SDL_IsDeXMode;
pSDL_AndroidBackButton SDL_AndroidBackButton;
}
}
static if(sdlSupport >= SDLSupport.sdl2012) {
extern(C) @nogc nothrow {
alias pSDL_GetAndroidSDKVersion = int function();
}
__gshared {
pSDL_GetAndroidSDKVersion SDL_GetAndroidSDKVersion;
}
}
static if(sdlSupport >= SDLSupport.sdl2014) {
extern(C) @nogc nothrow {
alias pSDL_AndroidRequestPermission = SDL_bool function(const(char)* permission);
}
__gshared {
pSDL_AndroidRequestPermission SDL_AndroidRequestPermission;
}
}
static if(sdlSupport >= SDLSupport.sdl2016) {
extern(C) @nogc nothrow {
alias pSDL_AndroidShowToast = int function(const(char)* message, int duration, int gravity, int xoffset, int yoffset);
}
__gshared {
pSDL_AndroidShowToast SDL_AndroidShowToast;
}
}
}
else version(Windows) {
static if(sdlSupport >= SDLSupport.sdl201) {
extern(C) @nogc nothrow {
alias pSDL_Direct3D9GetAdapterIndex = int function(int displayIndex);
alias pSDL_RenderGetD3D9Device = IDirect3DDevice9* function(SDL_Renderer* renderer);
}
__gshared {
pSDL_Direct3D9GetAdapterIndex SDL_Direct3D9GetAdapterIndex ;
pSDL_RenderGetD3D9Device SDL_RenderGetD3D9Device;
}
}
static if(sdlSupport >= SDLSupport.sdl202) {
extern(C) @nogc nothrow {
alias pSDL_DXGIGetOutputInfo = SDL_bool function(int displayIndex, int* adapterIndex, int* outputIndex);
}
__gshared {
pSDL_DXGIGetOutputInfo SDL_DXGIGetOutputInfo;
}
}
static if(sdlSupport >= SDLSupport.sdl204) {
extern(C) @nogc nothrow {
alias pSDL_SetWindowsMessageHook = void function(SDL_WindowsMessageHook callback, void* userdata);
}
__gshared {
pSDL_SetWindowsMessageHook SDL_SetWindowsMessageHook;
}
}
static if(sdlSupport >= SDLSupport.sdl2016) {
extern(C) @nogc nothrow {
alias pSDL_RenderGetD3D11Device = void function(SDL_Renderer* renderer);
}
__gshared {
pSDL_RenderGetD3D11Device SDL_RenderGetD3D11Device;
}
}
}
else version(linux) {
static if(sdlSupport >= SDLSupport.sdl209) {
extern(C) @nogc nothrow {
alias pSDL_LinuxSetThreadPriority = int function(long threadID, int priority);
}
__gshared {
pSDL_LinuxSetThreadPriority SDL_LinuxSetThreadPriority;
}
}
static if(sdlSupport >= SDLSupport.sdl2018) {
extern(C) @nogc nothrow {
alias pSDL_LinuxSetThreadPriorityAndPolicy = int function(long threadID, int sdlPriority, int schedPolicy);
}
__gshared {
pSDL_LinuxSetThreadPriorityAndPolicy SDL_LinuxSetThreadPriorityAndPolicy;
}
}
}
}
|
D
|
module cloud;
import resourcemanager;
import dsfml.graphics;
static this() {
assert(resource_manager.register!Texture("assets/cloud.png", "cloud"));
}
/// Drawable, slowly moving cloud
class Cloud : Drawable {
private static float speed = 100;
private float horizontal_offset;
private float height;
/// Constructs a cloud at given height and horizontal offset
this(const float _horizontal_offset, const float _height) {
horizontal_offset = _horizontal_offset;
height = _height;
}
/// Moves the cloud x px to the left
void move(const float f) {
horizontal_offset -= f;
}
override void draw(RenderTarget target, RenderStates states) const {
auto s = new Sprite(resource_manager.get!Texture("cloud"));
s.position(Vector2f(horizontal_offset, height));
target.draw(s, states);
}
}
|
D
|
import std.typecons;
void main()
{
auto i = wrap!FooBarInterface(new class
{
string foo()
{
return "foo";
}
int bar(int a)
{
return a * a;
}
});
assert(i.foo() == "foo");
assert(i.bar(4) == 4*4);
}
interface FooBarInterface
{
string foo();
int bar(int);
}
//----------------------------------------------------------------------------//
// wrap
Interface wrap(Interface, O)(O o)
{
// AutoImplement で ProxyBase を自動実装して,ProxyBase のコンストラクタに o を渡します.
// 下の方にある ProxyBase を見てください.
return new AutoImplement!(ProxyBase!(Interface, O), generateProxy)(o);
}
//
// Interface の各メソッドを実装するテンプレートです.
//
// C には ProxyBase が渡されます.
// func には実装する関数のシンボル (ProxyBase.foo など) が渡されます.
// __traits(identifier) を使うと関数名の文字列 "foo" が得られます.
//
// ★ func がタプルになっているのは BUG 4217 の回避用です.
// 本当は alias ですが,alias だとオーバーロードされたメソッドで変なことになります.
//
template generateProxy(C, /+alias+/ func...)
{
enum string generateProxy =
"return o." ~ __traits(identifier, func[0]) ~ "(args);";
}
//
// AutoImplement はただ abstract メソッドを実装するだけなので,Interface を直接
// 実装するのではなく,こうやって間に O のインスタンスを保持するクラスをはさんでください.
//
// ★ BUG 2525 & 3525 のせいで,あり得る interface すべてに対して ProxyBase を書かねばなりません.
//
abstract class ProxyBase(Interface, O)
if (is(Interface == FooBarInterface))
: Interface
{
O o;
this(O o)
{
this.o = o;
}
// ★ BUG 2525 & 3525 の回避…
// 不便ですが,こうやって明示的にメソッドを並べておかないとコンパイルエラーになってしまいます.
// このバグがなければ,上の数行だけであらゆるケースに対応できるのですが….
override abstract
{
string foo();
int bar(int);
}
}
|
D
|
module graphic.torbit.torbit;
import std.math; // fmod, abs
import std.algorithm; // minPos
import basics.alleg5;
import basics.help; // positiveMod
import basics.topology;
import graphic.color; // drawing dark, to analyze transparency
import file.filename;
import hardware.display;
public import basics.rect;
/* Torbit is a bitmap with possible torus wrapping. When you instruct it to
* draw things on itself, it warps the things around accordingly.
*
* See also TargetTorbit in graphic.targtorb.
*/
class Torbit : Topology {
private:
Albit bitmap;
public:
@property inout(Albit) albit() inout { return bitmap; }
this(in int _xl, in int _yl, in bool _tx = false, in bool _ty = false)
{
super(_xl, _yl, _tx, _ty);
bitmap = albitCreate(_xl, _yl);
}
this(const(Topology) topol)
{
super(topol);
bitmap = albitCreate(topol.xl, topol.yl);
}
this(const Torbit rhs)
{
assert (rhs, "Don't copy-construct from a null Torbit.");
assert (rhs.bitmap, "shouldn't ever happen, bug in Torbit");
super(rhs);
bitmap = al_clone_bitmap(cast (Albit) rhs.bitmap);
}
void copyFrom(in Torbit rhs)
{
assert (rhs, "can't copyFrom a null Torbit");
assert (bitmap, "null bitmap shouldn't ever happen, bug in Torbit");
assert (rhs.bitmap, "null rhs.bitmap shouldn't ever happen");
assert (rhs.Topology.opEquals(this),
"copyFrom only implemented between same size, for speedup");
auto targetBitmap = TargetBitmap(bitmap);
al_draw_bitmap(cast (Albit) rhs.bitmap, 0, 0, 0);
}
~this() { dispose(); }
void dispose()
{
if (bitmap) {
al_destroy_bitmap(bitmap);
bitmap = null;
}
}
Albit loseOwnershipOfAlbit()
{
assert (bitmap);
auto ret = bitmap;
bitmap = null;
return ret;
}
void copyToScreen()
{
auto targetBitmap = TargetBitmap(al_get_backbuffer(display));
al_draw_bitmap(bitmap, 0, 0, 0);
}
void clearToBlack() { this.clearToColor(color.black); }
void clearToTransp() { this.clearToColor(color.transp); }
void clearToColor(Alcol col)
{
auto targetBitmap = TargetBitmap(bitmap);
al_clear_to_color(col);
}
void drawRectangle(in Rect rect, in Alcol col)
{
useDrawingDelegate(delegate void(int x, int y) {
al_draw_rectangle(x + 0.5f, y + 0.5f,
x + rect.xl - 0.5f, y + rect.yl - 0.5f, col, 1);
}, wrap(rect.topLeft));
}
void drawFilledRectangle(Rect rect, Alcol col)
{
useDrawingDelegate(delegate void(int x, int y) {
al_draw_filled_rectangle(x, y, x + rect.xl, y + rect.yl, col);
}, wrap(rect.topLeft));
}
void saveToFile(in Filename fn)
{
al_save_bitmap(fn.stringzForWriting, bitmap);
}
void drawFromPreservingAspectRatio(in Torbit from)
{
auto targetBitmap = TargetBitmap(bitmap);
immutable float scaleX = 1.0f * xl / from.xl;
immutable float scaleY = 1.0f * yl / from.yl;
// draw (from) as large as possible onto (this), which requires that
// the strongest restriction is followed, i.e.,
// we scale by the smallest scaling factor.
int destXl = xl, destYl = yl;
if (scaleX < scaleY)
destYl = (yl * scaleX/scaleY).roundInt;
else
destXl = (xl * scaleY/scaleX).roundInt;
assert (destXl <= xl && destYl == yl
|| destYl <= yl && destXl == xl);
al_draw_scaled_bitmap(cast (Albit) from.bitmap,
0, 0, from.xl, from.yl,
(xl-destXl)/2, (yl-destYl)/2, destXl, destYl, 0);
}
protected:
final override void onResize()
out {
assert (bitmap);
assert (xl == al_get_bitmap_width (bitmap));
assert (yl == al_get_bitmap_height(bitmap));
}
body {
if (bitmap)
al_destroy_bitmap(bitmap);
bitmap = albitCreate(xl, yl);
}
package:
// To call this, use TargetTorbit on the torbit, then call the free
// function drawToTargetTorbit(...), that draws onto the TargetTorbit.
// Allegro 5 drawing works like this, with thread-local targets.
// Draw the entire Albit onto (Torbit this). Can take non-integer quarter
// turns as (double rot).
final void drawFrom(
const(Albit) source,
in Point targetCorner = Point(0, 0),
bool mirrY = false, // vertically mirrored -- happens before rotation
double rotCw = 0, // clockwise rotation -- after any mirroring
double scal = 0
)
in {
assert (bitmap);
assert (this.bitmap == al_get_target_bitmap(),
"I ask callers to set the bitmap before this comes in a loop.");
assert (source, "can't blit the null bitmap onto Torbit");
assert (rotCw >= 0 && rotCw < 4);
}
body {
Albit bit = cast (Albit) source; // A5 is not typesafe
void delegate(int, int) drawFrom_at;
// Select the appropriate Allegro function and its arguments.
// This function will be called up to 4 times for drawing (Albit bit)
// onto (Torbit this). Only the positions vary based on torus property.
if (rotCw == 0 && ! scal) {
drawFrom_at = delegate void(int x_at, int y_at)
{
al_draw_bitmap(bit, x_at, y_at, ALLEGRO_FLIP_VERTICAL * mirrY);
};
}
else if (rotCw == 2 && ! scal) {
drawFrom_at = delegate void(int x_at, int y_at)
{
al_draw_bitmap(bit, x_at, y_at,
(ALLEGRO_FLIP_VERTICAL * ! mirrY) | ALLEGRO_FLIP_HORIZONTAL);
};
}
else {
// Comment (C1)
// We don't expect non-square things to be rotated by non-integer
// amounts of quarter turns. Squares will have xdr = ydr = 0 in
// this scope, see the variable definitions below.
// The non-square terrain will only be rotated in steps of quarter
// turns, and its top-left corner after rotation shall remain at
// the specified level coordinates, no matter how it's rotated.
// Terrain rotated by 0 or 2 quarter turns has already been managed
// by the (if)s above. Now, we'll be doing a noncontinuous jump at
// exactly 1 and 3 quarter turns, which will manage the terrain
// well, and doesn't affect continuous rotations of squares anyway.
immutable bool b = (rotCw == 1 || rotCw == 3);
// x/y-length of the source bitmap
immutable int xsl = al_get_bitmap_width (bit);
immutable int ysl = al_get_bitmap_height(bit);
// Comment (C2)
// We don't want to rotate around the center point of the source
// bitmap. That would only be the case if the source is a square.
// We wish to have the top-left corner of the rotated shape at x/y
// whenever we perform a multiple of a quarter turn.
// DTODO: Test this on Linux and Windows, whether it generates the
// same terrain.
float xdr = b ? ysl/2f : xsl/2f;
float ydr = b ? xsl/2f : ysl/2f;
if (! scal) drawFrom_at = delegate void(int x_at, int y_at)
{
al_draw_rotated_bitmap(bit, xsl/2f, ysl/2f,
xdr + x_at, ydr + y_at,
rotCw * ALLEGRO_PI / 2,
mirrY ? ALLEGRO_FLIP_VERTICAL : 0
);
};
else drawFrom_at = delegate void(int x_at, int y_at)
{
// Let's recap for rot == 0:
// (xsl, ysl) are the x- and y-length of the unscaled source.
// (xdr, ydr) are half of that.
// I multiply xdr, ydr in line (L3) below with scal, because
// according to comment (C2), the drawn shape's top-left corner
// for rot == 0 should end up at drawFrom's arguments x and y.
al_draw_scaled_rotated_bitmap(bit,
xsl/2f, // (A): this point of the unscaled source bitmap
ysl/2f, // is drawn to...
xdr * scal + x_at, // (L3) ...to this target pos...
ydr * scal + y_at,
scal, scal, // ...and then it's scaled relative to there
rotCw * ALLEGRO_PI / 2,
mirrY ? ALLEGRO_FLIP_VERTICAL : 0
);
};
}
useDrawingDelegate(drawFrom_at, wrap(targetCorner));
}
// We need this for nontrivial physics drawing that can't blit everything
final void drawFromPixel(in Albit from, in Point fromPoint, Point toPoint)
{
assert (this.bitmap == al_get_target_bitmap(),
"drawFromSinglePixel() is designed for high-speed drawing. "
~ "Set the target bitmap manually to the target torbit's bitmap.");
assert (from);
assert (fromPoint.x >= 0);
assert (fromPoint.y >= 0);
assert (fromPoint.x < al_get_bitmap_width (cast (Albit) from));
assert (fromPoint.y < al_get_bitmap_height(cast (Albit) from));
toPoint = wrap(toPoint);
al_draw_bitmap_region(cast (Albit) from,
fromPoint.x, fromPoint.y, 1, 1, toPoint.x, toPoint.y, 0);
}
private:
final void useDrawingDelegate(
void delegate(int, int) drawing_delegate,
Point targetCorner
) {
assert (bitmap);
assert (bitmap.isTargetBitmap);
assert (drawing_delegate != null);
assert (targetCorner == wrap(targetCorner));
// We don't lock the bitmap; drawing with high-level primitives
// and blitting other VRAM bitmaps is best without locking
with (targetCorner) {
drawing_delegate(x, y );
if (torusX ) drawing_delegate(x - xl, y );
if ( torusY) drawing_delegate(x, y - yl);
if (torusX && torusY) drawing_delegate(x - xl, y - yl);
}
}
}
// end class Torbit
|
D
|
/**
Copyright 2018 Mark Fisher
Permission is hereby granted, free of charge, to any person obtaining a copy of
this software and associated documentation files (the "Software"), to deal in
the Software without restriction, including without limitation the rights to
use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies
of the Software, and to permit persons to whom the Software is furnished to do
so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
**/
module dxx.app.resource.resource;
private import dxx.app.resource;
interface URIResolver {
/++
Resolve a URI in space or in the filesystem.
++/
Resource resolveURI(string uri,ResourceSet owner);
}
interface ResourceValidator {
bool isValid(ResourceSet set);
bool isValidResource(Resource res);
}
interface ResourceContentProvider {
ubyte[] getContent(Resource);
void putContent(ubyte[],Resource);
}
struct ResourceMetaData {
string ns;
string content;
}
interface ResouceMetaDataProvider {
ResourceMetaData[] getMetaData(string id,string uri);
void setMetaData(ResourceMetaData[] data,string id,string uri);
}
interface Resource {
ResourceSet owner();
Resource parent();
Project parentProject();
Workspace parentWorkspace();
Resource[] children();
const(string) uri();
bool isFolder();
}
interface FileResource : Resource {
//byte[] contents();
//int putContents(byte[]);
}
interface FolderResource : FileResource {
}
struct AppDesc {
string ID = "__ID__";
string appName = "__APP_NAME__";
string moduleName = "__MODULE_NAME__";
string baseDir = "__BASE_DIR__";
string sourceDir = "source";
string resourceDir = "resource";
string genSouceDir = "source/gen";
string organizationName = "__ORGANIZATION_NAME__";
}
struct BuildDesc {
string arch = "__ARCH__";
string config = "__CONFIG__";
string buildType = "__BUILD_TYPE__";
string[] debugs = [];
string[] versions = [];
}
struct ProjectDesc {
AppDesc app;
BuildDesc build;
}
interface Project : FolderResource {
@property pure @safe @nogc nothrow
inout(ProjectDesc) desc() inout;
@property pure @safe @nogc nothrow
inout(ProjectType) type() inout;
}
final class ResourceSet {
Resource[const(string)] uriMap;
auto getResouce(const(string) uri) {
return uriMap[uri];
}
auto importResource(Resource r) {
if (r.uri in uriMap) return null;
uriMap[r.uri] = r;
return r;
}
Resource[] getAll() {
return uriMap.values;
}
}
|
D
|
void main() { runSolver(); }
void problem() {
auto N = scan!int;
auto solve() {
if (N == 1) return "0";
if (N % 2 == 1) return "-1";
int[] ans = [0, N - 1];
int mod = N - 1;
foreach(i; 1..N / 2) {
auto p = (N - mod) + i;
ans ~= p;
ans ~= (N - p - 1);
mod = (mod + N - 1) % N;
}
return ans.toAnswerString;
}
outputForAtCoder(&solve);
}
// ----------------------------------------------
import std.stdio, std.conv, std.array, std.string, std.algorithm, std.container, std.range, core.stdc.stdlib, std.math, std.typecons, std.numeric, std.traits, std.functional, std.bigint, std.datetime.stopwatch, core.time, core.bitop;
T[][] combinations(T)(T[] s, in long m) { if (!m) return [[]]; if (s.empty) return []; return s[1 .. $].combinations(m - 1).map!(x => s[0] ~ x).array ~ s[1 .. $].combinations(m); }
string scan(){ static string[] ss; while(!ss.length) ss = readln.chomp.split; string res = ss[0]; ss.popFront; return res; }
T scan(T)(){ return scan.to!T; }
T[] scan(T)(long n){ return n.iota.map!(i => scan!T()).array; }
void deb(T ...)(T t){ debug writeln(t); }
alias Point = Tuple!(long, "x", long, "y");
Point invert(Point p) { return Point(p.y, p.x); }
long[] divisors(long n) { long[] ret; for (long i = 1; i * i <= n; i++) { if (n % i == 0) { ret ~= i; if (i * i != n) ret ~= n / i; } } return ret.sort.array; }
bool chmin(T)(ref T a, T b) { if (b < a) { a = b; return true; } else return false; }
bool chmax(T)(ref T a, T b) { if (b > a) { a = b; return true; } else return false; }
string charSort(alias S = "a < b")(string s) { return (cast(char[])((cast(byte[])s).sort!S.array)).to!string; }
ulong comb(ulong a, ulong b) { if (b == 0) {return 1;}else{return comb(a - 1, b - 1) * a / b;}}
string toAnswerString(R)(R r) { return r.map!"a.to!string".joiner(" ").array.to!string; }
struct ModInt(uint MD) if (MD < int.max) {ulong v;this(string v) {this(v.to!long);}this(int v) {this(long(v));}this(long v) {this.v = (v%MD+MD)%MD;}void opAssign(long t) {v = (t%MD+MD)%MD;}static auto normS(ulong x) {return (x<MD)?x:x-MD;}static auto make(ulong x) {ModInt m; m.v = x; return m;}auto opBinary(string op:"+")(ModInt r) const {return make(normS(v+r.v));}auto opBinary(string op:"-")(ModInt r) const {return make(normS(v+MD-r.v));}auto opBinary(string op:"*")(ModInt r) const {return make((ulong(v)*r.v%MD).to!ulong);}auto opBinary(string op:"^^", T)(T r) const {long x=v;long y=1;while(r){if(r%2==1)y=(y*x)%MD;x=x^^2%MD;r/=2;} return make(y);}auto opBinary(string op:"/")(ModInt r) const {return this*memoize!inv(r);}static ModInt inv(ModInt x) {return x^^(MD-2);}string toString() const {return v.to!string;}auto opOpAssign(string op)(ModInt r) {return mixin ("this=this"~op~"r");}}
alias MInt1 = ModInt!(10^^9 + 7);
alias MInt9 = ModInt!(998_244_353);
void outputForAtCoder(T)(T delegate() fn) {
static if (is(T == float) || is(T == double) || is(T == real)) "%.16f".writefln(fn());
else static if (is(T == void)) fn();
else static if (is(T == string)) fn().writeln;
else static if (isInputRange!T) {
static if (!is(string == ElementType!T) && isInputRange!(ElementType!T)) foreach(r; fn()) r.toAnswerString.writeln;
else foreach(r; fn()) r.writeln;
}
else fn().writeln;
}
void runSolver() {
enum BORDER = "==================================";
debug { BORDER.writeln; while(!stdin.eof) { "<<< Process time: %s >>>".writefln(benchmark!problem(1)); BORDER.writeln; } }
else problem();
}
enum YESNO = [true: "Yes", false: "No"];
// -----------------------------------------------
bool[] enumeratePrimes(long max)
{
auto primes = new bool[](max + 1);
primes[] = true;
primes[0] = false;
primes[1] = false;
foreach (i; 2..max+1) {
if (primes[i]) {
auto x = i*2;
while (x <= max) {
primes[x] = false;
x += i;
}
}
}
return primes;
}
|
D
|
refusing to bind oneself to a particular course of action or view or the like
|
D
|
/Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Intermediates.noindex/StarifiedSampleProject.build/Debug-iphonesimulator/StarifySDK.build/Objects-normal/x86_64/MultiArray.o : /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Intermediates.noindex/StarifiedSampleProject.build/Debug-iphonesimulator/StarifySDK.build/DerivedSources/CoreMLGenerated/mobileunet_ver1/mobileunet_ver1.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/MLMultiArray+Image.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/Spitfire/Spitfire.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/Math.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/NonMaxSuppression.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/Spitfire/PixelBuffer.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/UIImage+CVPixelBuffer.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/Predictions.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/CVPixelBuffer+Helpers.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/Spitfire/Errors.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/MobileUnet.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/RefineView.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/Array.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/MultiArray.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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Vision.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Photos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/admin/Desktop/StarifiedSampleProject/ios/StarifySDK/StarifySDK.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationCache.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/Lottie.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTValueDelegate.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimatedSwitch.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTKeypath.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTValueCallback.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTBlockCallback.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTInterpolatorCallback.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimatedControl.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTComposition.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTCacheProvider.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationTransitionController.h /Users/admin/Desktop/StarifiedSampleProject/ios/StarifySDK/StarifyViewController.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationView_Compat.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationView.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Intermediates.noindex/StarifiedSampleProject.build/Debug-iphonesimulator/StarifySDK.build/unextended-module.modulemap /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreML.framework/Headers/CoreML.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.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.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Vision.framework/Headers/Vision.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Photos.framework/Headers/Photos.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/VideoToolbox.framework/Headers/VideoToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Intermediates.noindex/StarifiedSampleProject.build/Debug-iphonesimulator/StarifySDK.build/Objects-normal/x86_64/MultiArray~partial.swiftmodule : /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Intermediates.noindex/StarifiedSampleProject.build/Debug-iphonesimulator/StarifySDK.build/DerivedSources/CoreMLGenerated/mobileunet_ver1/mobileunet_ver1.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/MLMultiArray+Image.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/Spitfire/Spitfire.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/Math.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/NonMaxSuppression.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/Spitfire/PixelBuffer.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/UIImage+CVPixelBuffer.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/Predictions.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/CVPixelBuffer+Helpers.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/Spitfire/Errors.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/MobileUnet.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/RefineView.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/Array.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/MultiArray.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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Vision.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Photos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/admin/Desktop/StarifiedSampleProject/ios/StarifySDK/StarifySDK.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationCache.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/Lottie.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTValueDelegate.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimatedSwitch.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTKeypath.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTValueCallback.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTBlockCallback.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTInterpolatorCallback.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimatedControl.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTComposition.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTCacheProvider.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationTransitionController.h /Users/admin/Desktop/StarifiedSampleProject/ios/StarifySDK/StarifyViewController.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationView_Compat.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationView.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Intermediates.noindex/StarifiedSampleProject.build/Debug-iphonesimulator/StarifySDK.build/unextended-module.modulemap /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreML.framework/Headers/CoreML.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.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.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Vision.framework/Headers/Vision.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Photos.framework/Headers/Photos.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/VideoToolbox.framework/Headers/VideoToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Intermediates.noindex/StarifiedSampleProject.build/Debug-iphonesimulator/StarifySDK.build/Objects-normal/x86_64/MultiArray~partial.swiftdoc : /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Intermediates.noindex/StarifiedSampleProject.build/Debug-iphonesimulator/StarifySDK.build/DerivedSources/CoreMLGenerated/mobileunet_ver1/mobileunet_ver1.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/MLMultiArray+Image.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/Spitfire/Spitfire.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/Math.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/NonMaxSuppression.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/Spitfire/PixelBuffer.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/UIImage+CVPixelBuffer.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/Predictions.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/CVPixelBuffer+Helpers.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/Spitfire/Errors.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/MobileUnet.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/RefineView.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/Array.swift /Users/admin/Desktop/StarifiedSampleProject/ios/CoreImageProcessing/CoreMLHelpers/MultiArray.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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Vision.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Photos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/admin/Desktop/StarifiedSampleProject/ios/StarifySDK/StarifySDK.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationCache.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/Lottie.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTValueDelegate.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimatedSwitch.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTKeypath.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTValueCallback.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTBlockCallback.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTInterpolatorCallback.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimatedControl.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTComposition.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTCacheProvider.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationTransitionController.h /Users/admin/Desktop/StarifiedSampleProject/ios/StarifySDK/StarifyViewController.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationView_Compat.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Headers/LOTAnimationView.h /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Intermediates.noindex/StarifiedSampleProject.build/Debug-iphonesimulator/StarifySDK.build/unextended-module.modulemap /Users/admin/Desktop/StarifiedSampleProject/ios/build/StarifiedSampleProject/Build/Products/Debug-iphonesimulator/Lottie.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreML.framework/Headers/CoreML.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreMedia.framework/Headers/CoreMedia.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.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.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Vision.framework/Headers/Vision.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Photos.framework/Headers/Photos.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/MediaToolbox.framework/Headers/MediaToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/VideoToolbox.framework/Headers/VideoToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
module tests.valley.service.client;
import fluent.asserts;
import trial.discovery.spec;
import valley.service.client;
import valley.storage.base;
import valley.uri;
import std.file;
import std.conv;
import std.datetime;
class MockConnection : Connection {
string result;
private {
void delegate(string) event;
}
void mockSend(string message) {
event(message);
}
void send(string message) {
result ~= message ~ "\n";
}
void onMessage(void delegate(string) event) {
this.event = event;
}
}
class MockStorage : Storage {
string _queryString;
void add(PageData) {}
void remove(URI) {}
IPageData[] query(string queryString, size_t, size_t) {
_queryString = queryString;
return [ PageData("mock title", URI("http://location.com"), "some description").toClass ];
}
URI[] pending(const Duration, const size_t count, const string pending = "") {
return [];
}
ulong[] getKeywordId(string[] keywords) {
return [];
}
}
private alias suite = Spec!({
describe("The client service", {
it("should get the data from the storage using the setQuery command", {
auto mockStorage = new MockStorage;
auto mockConnection = new MockConnection;
auto client = new ClientService(mockStorage, mockConnection);
mockConnection.mockSend("query:some description");
mockConnection.mockSend("get all:results");
mockStorage._queryString.should.equal("some descript");
mockConnection.result.should.equal(`{"searchResults":[{"id":0,"description":"some description","title":"mock title","location":"http://location.com","score":0}]}` ~ "\n");
});
});
});
|
D
|
var int Lutero_ItemsGiven_Chapter_1;
var int Lutero_ItemsGiven_Chapter_2;
var int Lutero_ItemsGiven_Chapter_3;
var int Lutero_ItemsGiven_Chapter_4;
var int Lutero_ItemsGiven_Chapter_5;
FUNC VOID B_GiveTradeInv_Mod_Lutero_NW (var C_NPC slf)
{
if ((Kapitel >= 1)
&& (Lutero_ItemsGiven_Chapter_1 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 100);
CreateInvItems (slf,ItMi_Quartz , 1);
CreateInvItems (slf,ItPl_Temp_Herb , 1);
CreateInvItems (slf,ItLsTorch , 10);
CreateInvItems (slf,ItSC_Charm , 1);
CreateInvItems (slf,ItMi_HolyWater, 1);
CreateInvItems (slf,ItMi_Sulfur, 1);
CreateInvItems (slf,ItPo_Speed, 1);
CreateInvItems (slf,ItMi_Pitch, 1);
CreateInvItems (slf,ItMi_Coal, 1);
CreateInvItems (slf,ItMi_ApfelTabak, 1);
CreateInvItems (slf,ItAt_CrawlerMandibles, 1);
CreateInvItems (slf, ItMi_Seide, 1);
Lutero_ItemsGiven_Chapter_1 = TRUE;
};
if ((Kapitel >= 2)
&& (Lutero_ItemsGiven_Chapter_2 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 100);
CreateInvItems (slf,ItMi_HolyWater, 1);
CreateInvItems (slf,ItSc_Sleep, 1);
CreateInvItems (slf,ItMi_Aquamarine, 1);
CreateInvItems (slf,ItMi_Quartz , 1);
CreateInvItems (slf,ItPl_Temp_Herb , 1);
CreateInvItems (slf,ItLsTorch , 10);
CreateInvItems (slf,ItSC_Charm , 2);
CreateInvItems (slf,ItAt_Sting , 1);
CreateInvItems (slf,ItPo_Speed, 2);
CreateInvItems (slf,ItWr_ZweihandBuch, 1);
CreateInvItems (slf,ItWr_EinhandBuch, 1);
CreateInvItems (slf, ItAt_SharkTeeth, 2);
Lutero_ItemsGiven_Chapter_2 = TRUE;
};
if ((Kapitel >= 3)
&& (Lutero_ItemsGiven_Chapter_3 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 100);
CreateInvItems (slf,ItPo_Speed, 1);
CreateInvItems (slf,ItMi_DarkPearl, 1);
CreateInvItems (slf,ItPl_Temp_Herb , 1);
CreateInvItems (slf,ItLsTorch , 10);
CreateInvItems (slf,ItPo_Speed, 3);
CreateInvItems (slf,ItSC_Charm , 3);
CreateInvItems (slf,ItAt_CrawlerMandibles, 1);
CreateInvItems (slf,ItBe_Addon_DEX_10, 1);
CreateInvItems (slf,ItRi_Dex_Strg_01, 1);
Lutero_ItemsGiven_Chapter_3 = TRUE;
};
if ((Kapitel >= 4)
&& (Lutero_ItemsGiven_Chapter_4 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 150);
CreateInvItems (slf,ItMi_Rockcrystal, 1);
CreateInvItems (slf,ItAt_StoneGolemHeart, 1);
CreateInvItems (slf,ItPo_Speed, 1);
CreateInvItems (slf,ItPl_Temp_Herb , 1);
CreateInvItems (slf,ItPo_Speed, 4);
CreateInvItems (slf,ItLsTorch , 10);
CreateInvItems (slf,ItSC_Charm , 3);
Lutero_ItemsGiven_Chapter_4 = TRUE;
};
if ((Kapitel >= 5)
&& (Lutero_ItemsGiven_Chapter_5 == FALSE))
{
CreateInvItems (slf, ItMi_Gold, 200);
CreateInvItems (slf,ItAt_DemonHeart, 1);
CreateInvItems (slf,ItMi_RuneBlank, 1);
CreateInvItems (slf,ItPo_Speed, 1);
Lutero_ItemsGiven_Chapter_5 = TRUE;
};
};
|
D
|
/Users/MohamedNawar/Desktop/weatherTask/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Validation.o : /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/MultipartFormData.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/MultipartUpload.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/AlamofireExtended.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/HTTPMethod.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Result+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Response.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/SessionDelegate.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ParameterEncoding.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Session.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Validation.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ResponseSerialization.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RequestTaskMap.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ParameterEncoder.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RedirectHandler.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/AFError.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Protector.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/EventMonitor.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RequestInterceptor.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Notifications.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/HTTPHeaders.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Request.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/MohamedNawar/Desktop/WeatherTask/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/MohamedNawar/Desktop/WeatherTask/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/MohamedNawar/Desktop/weatherTask/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/MohamedNawar/Desktop/weatherTask/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Validation~partial.swiftmodule : /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/MultipartFormData.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/MultipartUpload.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/AlamofireExtended.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/HTTPMethod.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Result+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Response.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/SessionDelegate.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ParameterEncoding.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Session.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Validation.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ResponseSerialization.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RequestTaskMap.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ParameterEncoder.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RedirectHandler.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/AFError.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Protector.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/EventMonitor.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RequestInterceptor.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Notifications.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/HTTPHeaders.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Request.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/MohamedNawar/Desktop/WeatherTask/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/MohamedNawar/Desktop/WeatherTask/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/MohamedNawar/Desktop/weatherTask/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/MohamedNawar/Desktop/weatherTask/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Validation~partial.swiftdoc : /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/MultipartFormData.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/MultipartUpload.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/AlamofireExtended.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/HTTPMethod.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Result+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Alamofire.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Response.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/SessionDelegate.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ParameterEncoding.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Session.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Validation.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ResponseSerialization.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RequestTaskMap.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/ParameterEncoder.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RedirectHandler.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/AFError.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Protector.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/EventMonitor.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RequestInterceptor.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Notifications.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/HTTPHeaders.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/Request.swift /Users/MohamedNawar/Desktop/weatherTask/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/MohamedNawar/Desktop/WeatherTask/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/MohamedNawar/Desktop/WeatherTask/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/MohamedNawar/Desktop/weatherTask/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
instance Mil_332_Stadtwache(Npc_Default)
{
name[0] = NAME_Stadtwache;
guild = GIL_MIL;
id = 332;
voice = 4;
flags = NPC_FLAG_IMMORTAL;
npcType = npctype_main;
B_SetAttributesToChapter(self,3);
fight_tactic = FAI_HUMAN_STRONG;
EquipItem(self,ItMw_1h_Mil_Sword);
B_CreateAmbientInv(self);
B_SetNpcVisual(self,MALE,"Hum_Head_FatBald",Face_N_Normal_Stone,BodyTex_N,ITAR_Mil_L);
Mdl_SetModelFatness(self,1);
Mdl_ApplyOverlayMds(self,"Humans_Militia.mds");
B_GiveNpcTalents(self);
B_SetFightSkills(self,50);
daily_routine = Rtn_Start_332;
};
func void Rtn_Start_332()
{
TA_Stand_WP(8,0,22,0,"NW_CITY_ENTRANCE_BACK_GUARD_01");
TA_Stand_WP(22,0,8,0,"NW_CITY_ENTRANCE_BACK_GUARD_01");
};
|
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 hunt.collection.Map;
//import java.util.Objects;
//
//import flow.common.persistence.cache.CachedEntityMatcherAdapter;
//import flow.eventsubscription.service.impl.persistence.entity.EventSubscriptionEntity;
//
///**
// * @author Joram Barrez
// */
//class EventSubscriptionsByScopeDefinitionIdAndTypeMatcher extends CachedEntityMatcherAdapter<EventSubscriptionEntity> {
//
// @Override
// public boolean isRetained(EventSubscriptionEntity eventSubscriptionEntity, Object parameter) {
// Map<String, String> params = (Map<String, String>) parameter;
//
// String scopeDefinitionId = params.get("scopeDefinitionId");
// String scopeType = params.get("scopeType");
//
// return Objects.equals(scopeDefinitionId, eventSubscriptionEntity.getScopeDefinitionId())
// && Objects.equals(scopeType, eventSubscriptionEntity.getScopeType());
// }
//
//}
|
D
|
/**************************************************************************
ДОБИТЬ ПОВЕРЖЕННОГО
B_FinishingMove (slf, oth)
Персонаж slf наносит смертельный удар бессознательному oth.
Вызывается из ZS_Attack вместо непосредственного вызова AI_FinishingMove.
При необходимости переводит slf в режим боя и вооружение его ржавым мечом.
***************************************************************************/
func void B_FinishingMove(var C_Npc slf,var C_Npc oth)
{
// если я не в режиме боя
if(!Npc_IsInFightMode(slf,FMODE_MELEE))
{
// если есть оружие ближнего боя
if (Npc_HasEquippedMeleeWeapon(slf))
{
// достать его
var C_Item weapon;
weapon = Npc_GetEquippedMeleeWeapon(slf);
Npc_SetToFightMode(slf, weapon);
}
else // если нет
{
// перейти в боевой режим с ржавым мечом
Npc_SetToFightMode(slf,ItMw_1h_MISC_Sword);
};
};
// нанести смертельный удар
AI_FinishingMove(slf,oth);
};
|
D
|
module UnrealScript.TribesGame.TrDmgType_ArxShotgun;
import ScriptClasses;
import UnrealScript.Helpers;
import UnrealScript.TribesGame.TrDmgType_Explosive;
extern(C++) interface TrDmgType_ArxShotgun : TrDmgType_Explosive
{
public extern(D):
private static __gshared ScriptClass mStaticClass;
@property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.TrDmgType_ArxShotgun")); }
private static __gshared TrDmgType_ArxShotgun mDefaultProperties;
@property final static TrDmgType_ArxShotgun DefaultProperties() { mixin(MGDPC("TrDmgType_ArxShotgun", "TrDmgType_ArxShotgun TribesGame.Default__TrDmgType_ArxShotgun")); }
}
|
D
|
import std.conv : to;
import std.format : format;
import std.stdio : writefln, writeln;
import systeminfo;
void main()
{
auto processorInfo = new ProcessorInfo();
writeln("CPU情報: ", processorInfo.processor);
writefln("CPUコア数: %d", processorInfo.totalCPUs);
writefln("メモリ容量: %d (kB)", getTotalRAM());
foreach (blk; getBlocklist())
writefln("ディスク容量: %d GB (%s)", getStorageSize(blk), findDiskTypeFromName(blk));
writeln("カーネル: ", getKernelVersion());
writeln("OS情報: ", getOSInfo());
writeln("製品メーカー: ", getProductVendor());
writeln("型番: ", getProductName());
writeln("製品バージョン: ", getProductVersion());
writeln("BIOSメーカー: ", getBiosVendor());
writeln("BIOSバージョン: ", getBiosVersion());
writeln("BIOS製造日: ", getBiosDate());
writeln("ボード: ", getBoardName());
writeln("ボード製造メーカー: ", getBoardVendor());
writeln("ボードバージョン: ", getBoardVersion());
writeln("電源タイプ: ", getChassisType());
writeln("電源製造メーカー: ", getChassisVendor());
writeln("電源バージョン: ", getChassisVersion());
if (hasBattery())
{
writeln("バッテリー: ", getBatteryModelName());
writeln("電池の種類: ", getBatteryTechnology());
}
}
|
D
|
module anthropos.logic.world.Tile;
import anthropos;
import std.traits;
/**
* A class which contains various sets of data
* for representation on a map
* TO BE DONE:
* - Government owning the tile
*/
class Tile {
Population population; ///The population on this tile
int[Resource] stockpiles; ///How much of each resource is on this tile at the moment
Mineral[] naturalResources; ///The natural resources present on the tile
Plant[] plantsIntroduced; ///All of the plants that have been introduced on the tile
/**
* Constructs a new tile
* Initializes the stockpile's keys
*/
this() {
foreach(res; EnumMembers!Resource) {
this.stockpiles[res] = 0;
}
}
/**
* Checks for excess workers and tries to spawn an industry
* Prioritizes farms if there is not enough food,
* then tries to evenly distribute jobs
* TODO: make value of industries determinable
* TODO: implement other industry types
*/
void spawnIndustry() {
//Check for each resource in stockpile for harvesters
//
}
}
|
D
|
/*******************************************************************************
Custom exception types which can be thrown inside a DLS client.
Copyright:
Copyright (c) 2011-2017 sociomantic labs GmbH. All rights reserved.
License:
Boost Software License Version 1.0. See LICENSE.txt for details.
*******************************************************************************/
module dlsproto.client.legacy.internal.DlsClientExceptions;
/*******************************************************************************
Imports
*******************************************************************************/
import swarm.client.ClientExceptions;
/*******************************************************************************
Exception passed to user notifier when a request is assigned to the client
before the node's API version is known (i.e. before the handshake has been
performed) or when the API is known but does not match the client's.
*******************************************************************************/
public class VersionException : ClientException
{
public this ( )
{
super("Node API version not queried or mismatched");
}
}
/*******************************************************************************
Exception passed to user notifier when a request is assigned to the client
before the node hash ranges are known (i.e. before the handshake has been
performed).
*******************************************************************************/
public class RangesNotQueriedException : ClientException
{
public this ( )
{
super("Node ranges not queried");
}
}
/*******************************************************************************
Exception passed to user notifier when the handshake reports multiple nodes
which cover the same hash range.
*******************************************************************************/
public class NodeOverlapException : ClientException
{
public this ( )
{
super("Multiple nodes responsible for key");
}
}
/*******************************************************************************
Exception passed to user notifier when the filter string passed by the user
(to a bulk request which supports filtering) is empty.
*******************************************************************************/
public class NullFilterException : ClientException
{
public this ( )
{
super("Filter not set");
}
}
/*******************************************************************************
Exception thrown when attempting to modify the node registry (via the
addNode() or addNodes() methods of DlsClient) when it has already been
locked. Locking occurs after the handshake is executed.
*******************************************************************************/
public class RegistryLockedException : ClientException
{
public this ( )
{
super("Node registry is locked");
}
}
|
D
|
/*
* Copyright 2015-2018 HuntLabs.cn
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
module hunt.sql.ast.statement.SQLTableElement;
import hunt.sql.ast.SQLObject;
public interface SQLTableElement : SQLObject {
SQLTableElement clone();
}
|
D
|
module sys.WinProcess;
import cidrus, tpl.stream;
extern(D) class ППоток : Поток
{
this(ткст команда);
override т_мера читайБлок(ук буфер, т_мера размер);
override т_мера пишиБлок(ук буфер, т_мера размер);
override бдол сместись(дол смещение, ППозКурсора кгды);
проц закрой();
бцел значВыхода();
}
alias ППоток ПотокПроцессов;
extern(C):
проц сисИлиАборт(ткст кмнд);
цел скажиИСис(ткст кмнд);
проц скажиСисАборт(ткст кмнд);
цел сисРеспонс(ткст кмнд, ткст рфлаг, ткст рфайл, бул удалитьРФайл);
проц сисРИлиАборт(ткст кмнд, ткст рфлаг, ткст рфайл, бул удалитьРФайл);
цел скажиИСисР(ткст кмнд, ткст рфлаг, ткст рфайл, бул удалитьРФайл);
проц скажиСисРАборт(ткст кмнд, ткст рфлаг, ткст рфайл, бул удалитьРФайл);
|
D
|
import std.stdio, std.array, std.container, std.algorithm, std.typecons, core.exception, std.math, std.conv;
import BaseAI, Tile;
alias point = Tuple!(int, "x", int, "y");
////
//A* Stuff
////
const static int[] xChange = [-1, 1, 0, 0];
const static int[] yChange = [ 0, 0, -1, 1];
point[] getPath(point start, point end) {
//set up discovery/path-back grid
int[][] bfsgrid = new int[][](mapWidth, mapHeight);
foreach (x; 0..bfsgrid.length) {
bfsgrid[x][] = -1;
}
//do A* search
//the first points processed will be the ones with the smallest sum of
//differences between the start point and end point
auto queue = Array!point([start]).heapify!((a,b) => pointCompare(a,b,start,end));
point v = start;
//related to x and y change arrays; tile discovered by direction i will be traveled back in the direction wayBack[i]
const int[] wayBack = [ 1, 0, 3, 2];
bool found = false;
while (!queue.empty() && !found) {
v = queue.front;
queue.removeFront();
foreach (a; 0..4) {
point adjacent = point(v.x + xChange[a], v.y + yChange[a]);
if (adjacent.inBounds() && !adjacent.isWall() && bfsgrid[adjacent.x][adjacent.y] == -1) {
//queue adjacent empty undiscovered tiles for search
queue.insert(adjacent);
//store path to previous tile (and thus back to start)
bfsgrid[adjacent.x][adjacent.y] = wayBack[a];
//break if we actually found the end
if (adjacent == end) {
found = true;
break;
}
}
}
}
//if we never found the end the search failed
if (!found) {
return [];
}
//follow path back to the start from the end tile and return it as a whole
//the first element is the first step
point goinHome = end;
auto stack = make!(SList!point);
point[] path = [];
while (goinHome != start) {
path ~= goinHome;
int wayToGo = bfsgrid[goinHome.x][goinHome.y];
goinHome = point(goinHome.x + xChange[wayToGo], goinHome.y + yChange[wayToGo]);
}
return path.reverse;
}
int[][] buildGrid() {
int[][] grid = new int[][](50, 25);
foreach (x; 0..50) {
foreach (y; 0..25) {
grid[x][y] = BaseAI.BaseAI.tiles[y + x*25)].getType();
}
}
return grid;
}
bool inBounds(point p) {
return (p.x >= 0 && p.x < mapWidth && p.y >= 0 && p.y < mapHeight);
}
bool isWall(point p) {
return (grid[p.x][p.y] == Tile.WALL);
}
int manhattanDistance(point a, point b) {
return abs(b.x-a.x) + abs(b.y-a.y);
}
int pointCompare(point a, point b, point start, point end) {
return (a.manhattanDistance(start)+a.manhattanDistance(end) >
b.manhattanDistance(start)+b.manhattanDistance(end));
}
////
//Hallway Detection
////
alias hallway = Tuple!(int, "x", int, "y", int, "direction");
point[] getLongestHallways(int playerID) {
hallway[] hallways = [];
int[][] grid = buildGrid();
int minX = playerID*25;
//get all dead ends (those are hallways)
foreach (x; minX..minX+50) {
foreach (y; 0..25) {
int neighbors = 0;
int direction = -1;
foreach (a; 0..4) {
if (grid[x+xChange[a]][y+yChange[a]] == Tile.WALL) {
neighbors++;
}
else {
direction = a;
}
}
if (neighbors == 3) {
hallways ~= hallway(x, y, direction);
}
}
}
hallways.sort!((a,b) => a.getLength(grid) > b.getLength(grid));
return hallways[0..4];
}
int getLength(hallway h, ref int[][] grid) {
int length = 0;
int x = h.x, y = h.y;
while (inBounds(point(x, y)) && grid[x][y] != Tile.WALL) {
length++;
x += xChange[h.direction];
x += yChange[h.direction];
}
return length;
}
|
D
|
/Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/Objects-normal/x86_64/UISearchBar+Rx.o : /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Deprecated.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Observable+Bind.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/ObservableConvertibleType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SchedulerType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/InfiniteSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxTableViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxCollectionViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+RawRepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/SectionedViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxTableViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxCollectionViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxPickerViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxyType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Queue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/PriorityQueue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Bag.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/Logging.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/RecursiveLock.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ObservableConvertibleType+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ControlEvent+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/PublishRelay+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Darwin.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Binder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/KeyPathBinder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DeprecationWarner.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxPickerViewAdapter.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ObservableConvertibleType+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlEvent+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/BehaviorRelay+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlProperty+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+CoreGraphics.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DispatchQueue+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxCocoaObjCRuntimeError+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Events/ItemEvents.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/ControlTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+Swift.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlEvent.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/TextInput.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/NSTextStorage+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISwitch+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UILabel+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISegmentedControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPageControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIRefreshControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIBarButtonItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/URLSession+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIApplication+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIAlertAction+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSSlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIDatePicker+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIViewController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIStepper+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NotificationCenter+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIGestureRecognizer+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/NSLayoutConstraint+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIWebView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITableView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIScrollView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UICollectionView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPickerView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIActivityIndicatorView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIProgressView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Linux.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/PublishRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/BehaviorRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators+arity.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlProperty.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextStorageDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxNavigationControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxWebViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxScrollViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourcePrefetchingProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourcePrefetchingProxy.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/RxSwift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RX.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxCocoa/RxCocoa-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/RxCocoaRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXKVOObserver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Users/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-Swift.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXDelegateProxy.h /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/unextended-module.modulemap /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxSwift.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/Objects-normal/x86_64/UISearchBar+Rx~partial.swiftmodule : /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Deprecated.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Observable+Bind.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/ObservableConvertibleType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SchedulerType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/InfiniteSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxTableViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxCollectionViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+RawRepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/SectionedViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxTableViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxCollectionViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxPickerViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxyType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Queue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/PriorityQueue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Bag.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/Logging.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/RecursiveLock.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ObservableConvertibleType+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ControlEvent+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/PublishRelay+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Darwin.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Binder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/KeyPathBinder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DeprecationWarner.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxPickerViewAdapter.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ObservableConvertibleType+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlEvent+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/BehaviorRelay+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlProperty+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+CoreGraphics.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DispatchQueue+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxCocoaObjCRuntimeError+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Events/ItemEvents.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/ControlTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+Swift.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlEvent.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/TextInput.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/NSTextStorage+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISwitch+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UILabel+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISegmentedControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPageControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIRefreshControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIBarButtonItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/URLSession+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIApplication+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIAlertAction+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSSlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIDatePicker+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIViewController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIStepper+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NotificationCenter+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIGestureRecognizer+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/NSLayoutConstraint+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIWebView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITableView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIScrollView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UICollectionView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPickerView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIActivityIndicatorView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIProgressView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Linux.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/PublishRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/BehaviorRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators+arity.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlProperty.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextStorageDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxNavigationControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxWebViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxScrollViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourcePrefetchingProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourcePrefetchingProxy.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/RxSwift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RX.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxCocoa/RxCocoa-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/RxCocoaRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXKVOObserver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Users/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-Swift.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXDelegateProxy.h /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/unextended-module.modulemap /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxSwift.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/Objects-normal/x86_64/UISearchBar+Rx~partial.swiftdoc : /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Deprecated.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Observable+Bind.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/ObservableConvertibleType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SchedulerType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/InfiniteSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxTableViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxCollectionViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+RawRepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/SectionedViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxTableViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxCollectionViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxPickerViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxyType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Queue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/PriorityQueue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Bag.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/Logging.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/RecursiveLock.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ObservableConvertibleType+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ControlEvent+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/PublishRelay+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Darwin.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Binder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/KeyPathBinder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DeprecationWarner.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxPickerViewAdapter.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ObservableConvertibleType+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlEvent+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/BehaviorRelay+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlProperty+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+CoreGraphics.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DispatchQueue+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxCocoaObjCRuntimeError+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Events/ItemEvents.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/ControlTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+Swift.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlEvent.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/TextInput.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/NSTextStorage+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISwitch+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UILabel+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISegmentedControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPageControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIRefreshControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIBarButtonItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/URLSession+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIApplication+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIAlertAction+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSSlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIDatePicker+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIViewController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIStepper+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NotificationCenter+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIGestureRecognizer+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/NSLayoutConstraint+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIWebView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITableView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIScrollView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UICollectionView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPickerView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIActivityIndicatorView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIProgressView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Linux.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/PublishRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/BehaviorRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators+arity.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlProperty.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextStorageDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxNavigationControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxWebViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxScrollViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourcePrefetchingProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourcePrefetchingProxy.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/RxSwift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RX.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxCocoa/RxCocoa-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/RxCocoaRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXKVOObserver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Users/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-Swift.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXDelegateProxy.h /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/unextended-module.modulemap /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxSwift.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
module examples.main;
import std.algorithm, std.datetime, std.stdio, std.typecons;
import examples.circles, examples.zrusin_path;
Tuple!(ulong, ulong) measure()
{
Tuple!(ulong, ulong) res;
auto sw = StopWatch(AutoStart.yes);
circles("circles.png");
res[0] = sw.peek.usecs;
sw.reset();
zrusin_path("zrusin.png");
res[1] = sw.peek.usecs;
return res;
}
void main()
{
auto mins = tuple(ulong.max, ulong.max);
while (true)
{
auto vals = measure();
vals[0] = min(vals[0], mins[0]);
vals[1] = min(vals[1], mins[1]);
if (vals != mins)
{
mins = vals;
writef("\rcircles %s us, zrusing %s us", mins[]);
stdout.flush();
}
}
}
|
D
|
import derelict.opengl3.gl3;
import derelict.sdl2.sdl;
import std.stdio;
static import AOD;
import Menu_Manager;
// This is the "standard" way to initialize the engine. My thought process is
// to immediately set up the console so we can receive errors as we initialize
// the AOD engine. Then afterwards we adjust the camera to center of screen
// and load the font & assign console key so we can start reading from the
// console. Everything else after is usually control configuration or debug
void Init () {
AOD.ClientVars.Load_Config();
writeln("app.d@Init Setting up console");
AOD.Console.console_open = false;
AOD.Console.Set_Console_Output_Type(AOD.Console.Type.Debug_In);
import std.conv : to;
AOD.Initialize(16, "LUDUM DARE PREP", 800, 600,
/* to!int(AOD.ClientVars.commands["resolution_x"]), */
/* to!int(AOD.ClientVars.commands["resolution_y"]), */
"assets/credit_aod.bmp");
AOD.Camera.Set_Size(AOD.Vector(AOD.R_Window_Width(), AOD.R_Window_Height()));
AOD.Camera.Set_Position(AOD.Vector(AOD.R_Window_Width() /2,
AOD.R_Window_Height()/2));
AOD.Text.Set_Default_Font("assets/DejaVuSansMono.ttf", 20);
AOD.Console.Initialize(AOD.Console.Type.Debug_In);
AOD.Set_BG_Colour(1.0, 1.0, 1.0);
// --- debug ---
}
void Game_Init () {
/*
*/
AOD.Sound.Clean_Up();
static import Data;
Data.Image_Data.Initialize();
Data.Sound_Data.Initialize();
import Entity.Splashscreen;
AOD.Add(new Splash(Data.Construct_New_Menu));
}
int main () {
Init();
Game_Init();
AOD.Run();
writeln("Ending program");
return 0;
}
|
D
|
module artemisd.componentmanager;
import std.bitmanip;
import artemisd.utils.bag;
import artemisd.manager;
import artemisd.component;
import artemisd.entity;
import artemisd.utils.ext;
import artemisd.utils.type;
class ComponentManager : Manager
{
mixin TypeDecl;
private Bag!(Bag!Component) componentsByType;
private Bag!Entity _deleted;
this()
{
componentsByType = new Bag!(Bag!Component)();
_deleted = new Bag!Entity();
}
protected override void initialize()
{
}
private void removeComponentsOfEntity(Entity e)
{
BitArray componentBits = e.getComponentBits();
for (int i = componentBits.nextSetBit(0); i >= 0; i = componentBits.nextSetBit(i+1))
{
componentsByType.get(i).set(e.getId(), null);
}
componentBits.clear();
}
protected void addComponent(T)(Entity e, T component)
if( is(T:Component) )
{
componentsByType.ensureCapacity(T.TypeId);
Bag!Component components = componentsByType.get(T.TypeId);
if(components is null)
{
components = new Bag!Component();
componentsByType.set(T.TypeId, components);
}
components.set(e.getId(), component);
e.getComponentBits()[T.TypeId] = 1;
}
protected void removeComponent(T)(Entity e)
if( is(T:Component) )
{
if(e.getComponentBits().get(T.TypeId))
{
componentsByType.get(T.TypeId).set(e.getId(), null);
e.getComponentBits().clear(T.TypeId);
}
}
protected Bag!Component getComponents(T)()
if( is(T:Component) )
{
Bag!Component components = componentsByType.get(T.TypeId);
if(components == null)
{
components = new Bag!Component();
componentsByType.set(T.TypeId, components);
}
return components;
}
protected T getComponent(T)(Entity e)
if( is(T:Component) )
{
Bag!Component components = componentsByType.get(T.TypeId);
if(components !is null)
{
return cast(T)(components.get(e.getId()));
}
return null;
}
Bag!Component getComponentsFor(Entity e, Bag!Component fillBag)
{
BitArray componentBits = e.getComponentBits();
for (int i = componentBits.nextSetBit(0); i >= 0; i = componentBits.nextSetBit(i+1))
{
fillBag.add(componentsByType.get(i).get(e.getId()));
}
return fillBag;
}
override void deleted(Entity e)
{
_deleted.add(e);
}
void clean()
{
if(_deleted.size() > 0)
{
for(int i = 0; _deleted.size() > i; i++)
{
removeComponentsOfEntity(_deleted.get(i));
}
_deleted.clear();
}
}
}
|
D
|
/Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/JWT.build/Exports.swift.o : /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWT.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTPayload.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/Deprecated.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTAlgorithm.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTClaim.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTHeader.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTSigner.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTClaims.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTSigners.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /usr/local/Cellar/libressl/2.9.2/include/openssl/asn1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/tls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/md5.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509.h /usr/local/Cellar/libressl/2.9.2/include/openssl/sha.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/hmac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ec.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rand.h /usr/local/Cellar/libressl/2.9.2/include/openssl/conf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/lhash.h /usr/local/Cellar/libressl/2.9.2/include/openssl/stack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/safestack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bn.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bio.h /usr/local/Cellar/libressl/2.9.2/include/openssl/crypto.h /usr/local/Cellar/libressl/2.9.2/include/openssl/srtp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/evp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.9.2/include/openssl/buffer.h /usr/local/Cellar/libressl/2.9.2/include/openssl/err.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.9.2/include/openssl/objects.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslv.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509_vfy.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-ssl-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/JWT.build/Exports~partial.swiftmodule : /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWT.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTPayload.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/Deprecated.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTAlgorithm.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTClaim.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTHeader.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTSigner.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTClaims.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTSigners.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /usr/local/Cellar/libressl/2.9.2/include/openssl/asn1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/tls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/md5.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509.h /usr/local/Cellar/libressl/2.9.2/include/openssl/sha.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/hmac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ec.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rand.h /usr/local/Cellar/libressl/2.9.2/include/openssl/conf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/lhash.h /usr/local/Cellar/libressl/2.9.2/include/openssl/stack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/safestack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bn.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bio.h /usr/local/Cellar/libressl/2.9.2/include/openssl/crypto.h /usr/local/Cellar/libressl/2.9.2/include/openssl/srtp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/evp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.9.2/include/openssl/buffer.h /usr/local/Cellar/libressl/2.9.2/include/openssl/err.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.9.2/include/openssl/objects.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslv.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509_vfy.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-ssl-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/JWT.build/Exports~partial.swiftdoc : /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWT.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTPayload.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/Deprecated.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTAlgorithm.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTClaim.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTHeader.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTSigner.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTClaims.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/JWTSigners.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/jwt/Sources/JWT/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Crypto.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /usr/local/Cellar/libressl/2.9.2/include/openssl/asn1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/tls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem2.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.9.2/include/openssl/md5.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509.h /usr/local/Cellar/libressl/2.9.2/include/openssl/sha.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rsa.h /usr/local/Cellar/libressl/2.9.2/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/hmac.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ec.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.9.2/include/openssl/rand.h /usr/local/Cellar/libressl/2.9.2/include/openssl/conf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.9.2/include/openssl/dh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.9.2/include/openssl/lhash.h /usr/local/Cellar/libressl/2.9.2/include/openssl/stack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/safestack.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ssl.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.9.2/include/openssl/pem.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bn.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.9.2/include/openssl/bio.h /usr/local/Cellar/libressl/2.9.2/include/openssl/crypto.h /usr/local/Cellar/libressl/2.9.2/include/openssl/srtp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/evp.h /usr/local/Cellar/libressl/2.9.2/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.9.2/include/openssl/buffer.h /usr/local/Cellar/libressl/2.9.2/include/openssl/err.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.9.2/include/openssl/objects.h /usr/local/Cellar/libressl/2.9.2/include/openssl/opensslv.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.9.2/include/openssl/x509_vfy.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-ssl-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
|
D
|
/Users/thodges/Workspace/Rust/projects/chapter5/youTube/pattern_matching_switch/target/debug/deps/pattern_matching_switch-0e44b0294bd901a3: src/main.rs
/Users/thodges/Workspace/Rust/projects/chapter5/youTube/pattern_matching_switch/target/debug/deps/pattern_matching_switch-0e44b0294bd901a3.d: src/main.rs
src/main.rs:
|
D
|
module ivy.ast.iface.statement;
import ivy.ast.iface.node: IvyNode;
import ivy.ast.iface.node_range: IvyNodeRange;
import ivy.ast.iface.expr: IExpression;
interface IStatement: IvyNode
{
@property {
bool isCompoundStatement();
ICompoundStatement asCompoundStatement();
bool isDirectiveStatement();
IDirectiveStatement asDirectiveStatement();
}
}
interface IDataFragmentStatement: IStatement
{
@property {
string data();
}
}
interface ICompoundStatement: IStatement
{
IStatementRange opSlice();
IStatementRange opSlice(size_t begin, size_t end);
}
interface ICodeBlockStatement: ICompoundStatement, IExpression
{
// Covariant overrides
override IDirectiveStatementRange opSlice();
override IDirectiveStatementRange opSlice(size_t begin, size_t end);
bool isListBlock() @property;
}
interface IMixedBlockStatement: ICompoundStatement, IExpression
{
}
interface IDirectiveStatement: IStatement
{
@property {
string name(); //Returns name of directive
}
IAttributeRange opSlice();
IAttributeRange opSlice(size_t begin, size_t end);
}
interface IKeyValueAttribute: IvyNode
{
@property {
string name();
IvyNode value();
}
}
interface IStatementRange: IvyNodeRange
{
// Covariant overrides
override @property IStatement front();
override @property IStatement back();
override @property IStatementRange save();
override IStatement opIndex(size_t index);
}
interface IDirectiveStatementRange: IStatementRange
{
// Covariant overrides
override @property IDirectiveStatement front();
override @property IDirectiveStatement back();
override @property IDirectiveStatementRange save();
override IDirectiveStatement opIndex(size_t index);
}
interface IAttributeRange: IvyNodeRange
{
}
|
D
|
/**
Application
Copyright: (c) Enalye 2017
License: Zlib
Authors: Enalye
*/
module magia.common.application;
import bindbc.sdl;
import core.thread;
import std.datetime;
import grimoire;
import magia.core, magia.render, magia.script;
import magia.common.event;
import magia.common.settings;
import magia.common.resource;
private {
float _deltatime = 1f;
float _currentFps;
long _tickStartFrame;
bool _isChildGrabbed;
uint _idChildGrabbed;
uint _nominalFPS = 60u;
GrEngine _engine;
}
/// Actual framerate divided by the nominal framerate
/// 1 if the same, less if the application slow down,
/// more if the application runs too quickly.
float getDeltatime() {
return _deltatime;
}
/// Actual framerate of the application.
float getCurrentFPS() {
return _currentFps;
}
/// Maximum framerate of the application. \
/// The deltatime is equal to 1 if the framerate is exactly that.
uint getNominalFPS() {
return _nominalFPS;
}
/// Ditto
uint setNominalFPS(uint fps) {
return _nominalFPS = fps;
}
/// Main application loop
void runApplication() {
createWindow(Vec2u(800, 600), "Magia");
initializeEvents();
_tickStartFrame = Clock.currStdTime();
initFont();
// Script
GrLibrary stdlib = grLoadStdLibrary();
GrLibrary magialib = loadMagiaLibrary();
GrCompiler compiler = new GrCompiler;
compiler.addLibrary(stdlib);
compiler.addLibrary(magialib);
GrBytecode bytecode = compiler.compileFile("script/main.gr", GrCompiler.Flags.none);
if (!bytecode)
throw new Exception(compiler.getError().prettify());
_engine = new GrEngine;
_engine.addLibrary(stdlib);
_engine.addLibrary(magialib);
_engine.load(bytecode);
_engine.spawn();
while (processEvents()) {
updateEvents(_deltatime);
if (_engine.hasCoroutines)
_engine.process();
renderWindow();
long deltaTicks = Clock.currStdTime() - _tickStartFrame;
if (deltaTicks < (10_000_000 / _nominalFPS))
Thread.sleep(dur!("hnsecs")((10_000_000 / _nominalFPS) - deltaTicks));
deltaTicks = Clock.currStdTime() - _tickStartFrame;
_deltatime = (cast(float)(deltaTicks) / 10_000_000f) * _nominalFPS;
_currentFps = (_deltatime == .0f) ? .0f : (10_000_000f / cast(float)(deltaTicks));
_tickStartFrame = Clock.currStdTime();
}
}
/// Cleanup and kill the application
void destroyApplication() {
destroyEvents();
destroyWindow();
}
|
D
|
func void zs_preach_yberion()
{
printdebugnpc(PD_TA_FRAME,"ZS_Preach_YBerion");
b_setperception(self);
AI_SetWalkMode(self,NPC_WALK);
if(!Npc_IsOnFP(self,"PREACH"))
{
AI_GotoWP(self,self.wp);
};
if(Wld_IsFPAvailable(self,"PREACH"))
{
AI_GotoFP(self,"PREACH");
};
AI_AlignToFP(self);
};
func void zs_preach_yberion_loop()
{
var int preachtime;
printdebugnpc(PD_TA_LOOP,"ZS_Preach_YBerion_Loop");
preachtime = Hlp_Random(100);
if(preachtime <= 3)
{
AI_Output(self,NULL,"ZS_Preach_YBerion01"); //Спящий говорил со мной!
}
else if(preachtime >= 98)
{
AI_Output(self,NULL,"ZS_Preach_YBerion02"); //Спящий освободит нас.
}
else if(preachtime >= 95)
{
AI_Output(self,NULL,"ZS_Preach_YBerion03"); //Пробудись, о Спящий!
};
AI_Wait(self,1);
};
func void zs_preach_yberion_end()
{
printdebugnpc(PD_TA_FRAME,"ZS_Preach_YBerion_End");
};
|
D
|
void main() {
int[string] x;
static if (is(typeof(x) S : T[U], T, U)) { }
pragma(msg, S, " ", T, " ", U);
}
|
D
|
/**
* Identify the characteristics of the host CPU.
*
* Implemented according to:
- AP-485 Intel(C) Processor Identification and the CPUID Instruction
$(LINK http://www.intel.com/design/xeon/applnots/241618.htm)
- Intel(R) 64 and IA-32 Architectures Software Developer's Manual, Volume 2A: Instruction Set Reference, A-M
$(LINK http://developer.intel.com/design/pentium4/manuals/index_new.htm)
- AMD CPUID Specification Publication # 25481
$(LINK http://www.amd.com/us-en/assets/content_type/white_papers_and_tech_docs/25481.pdf)
Example:
---
import std.cpuid;
import std.stdio;
void main()
{
writefln(std.cpuid.toString());
}
---
AUTHORS: Tomas Lindquist Olsen <tomas@famolsen.dk>
(slightly altered by Walter Bright)
COPYRIGHT: Public Domain
* BUGS: Only works on x86 CPUs
*
* Macros:
* WIKI = Phobos/StdCpuid
* COPYRIGHT = Public Domain
*/
module std.cpuid;
import std.string;
version(D_InlineAsm_X86)
{
/// Returns everything as a printable string
char[] toString()
{
char[] feats;
if (mmx) feats ~= "MMX ";
if (fxsr) feats ~= "FXSR ";
if (sse) feats ~= "SSE ";
if (sse2) feats ~= "SSE2 ";
if (sse3) feats ~= "SSE3 ";
if (ssse3) feats ~= "SSSE3 ";
if (amd3dnow) feats ~= "3DNow! ";
if (amd3dnowExt) feats ~= "3DNow!+ ";
if (amdMmx) feats ~= "MMX+ ";
if (ia64) feats ~= "IA-64 ";
if (amd64) feats ~= "AMD64 ";
if (hyperThreading) feats ~= "HTT";
return format(
"Vendor string: %s\n", vendor,
"Processor string: %s\n", processor,
"Signature: Family=%d Model=%d Stepping=%d\n", family, model, stepping,
"Features: %s\n", feats,
"Multithreading: %d threads / %d cores\n", threadsPerCPU, coresPerCPU);
}
/// Returns vendor string
char[] vendor() {return vendorStr;}
/// Returns processor string
char[] processor() {return processorStr;}
/// Is MMX supported?
bool mmx() {return (flags&MMX_BIT)!=0;}
/// Is FXSR supported?
bool fxsr() {return (flags&FXSR_BIT)!=0;}
/// Is SSE supported?
bool sse() {return (flags&SSE_BIT)!=0;}
/// Is SSE2 supported?
bool sse2() {return (flags&SSE2_BIT)!=0;}
/// Is SSE3 supported?
bool sse3() {return (misc&SSE3_BIT)!=0;}
/// Is SSSE3 supported?
bool ssse3() {return (misc&SSSE3_BIT)!=0;}
/// Is AMD 3DNOW supported?
bool amd3dnow() {return (exflags&AMD_3DNOW_BIT)!=0;}
/// Is AMD 3DNOW Ext supported?
bool amd3dnowExt() {return (exflags&AMD_3DNOW_EXT_BIT)!=0;}
/// Is AMD MMX supported?
bool amdMmx() {return (exflags&AMD_MMX_BIT)!=0;}
/// Is this an Intel Architecture IA64?
bool ia64() {return (flags&IA64_BIT)!=0;}
/// Is this an AMD 64?
bool amd64() {return (exflags&AMD64_BIT)!=0;}
/// Is hyperthreading supported?
bool hyperThreading() {return (flags&HTT_BIT)!=0;}
/// Returns number of threads per CPU
uint threadsPerCPU() {return maxThreads;}
/// Returns number of cores in CPU
uint coresPerCPU() {return maxCores;}
/// Is this an Intel processor?
bool intel() {return manufac==INTEL;}
/// Is this an AMD processor?
bool amd() {return manufac==AMD;}
/// Returns stepping
uint stepping() {return _stepping;}
/// Returns model
uint model() {return _model;}
/// Returns family
uint family() {return _family;}
//uint processorType() {return (signature>>>12)&0x3;}
static this()
{
getVendorString();
getProcessorString();
getFeatureFlags();
// stepping / family / model
_stepping = signature&0xF;
uint fbase = (signature>>>8)&0xF;
uint fex = (signature>>>20)&0xFF;
uint mbase = (signature>>>4)&0xF;
uint mex = (signature>>>16)&0xF;
// vendor specific
void function() threadFn;
switch(vendorStr)
{
case "GenuineIntel":
manufac = INTEL;
threadFn = &getThreadingIntel;
if (fbase == 0xF)
_family = fbase+fex;
else
_family = fbase;
if (_family == 0x6 || _family == 0xF)
_model = mbase+(mex<<4);
else
_model = mbase;
break;
case "AuthenticAMD":
manufac = AMD;
threadFn = &getThreadingAMD;
if (fbase < 0xF)
{
_family = fbase;
_model = mbase;
}
else
{
_family = fbase+fex;
_model = mbase+(mex<<4);
}
break;
default:
manufac = OTHER;
}
// threading details
if (hyperThreading && threadFn !is null)
{
threadFn();
}
}
private:
// feature flags
enum : uint
{
MMX_BIT = 1<<23,
FXSR_BIT = 1<<24,
SSE_BIT = 1<<25,
SSE2_BIT = 1<<26,
HTT_BIT = 1<<28,
IA64_BIT = 1<<30
}
// feature flags misc
enum : uint
{
SSE3_BIT = 1,
SSSE3_BIT = 1<<9
}
// extended feature flags
enum : uint
{
AMD_MMX_BIT = 1<<22,
AMD64_BIT = 1<<29,
AMD_3DNOW_EXT_BIT = 1<<30,
AMD_3DNOW_BIT = 1<<31
}
// manufacturer
enum
{
OTHER,
INTEL,
AMD
}
uint flags, misc, exflags, apic, signature;
uint _stepping, _model, _family;
char[12] vendorStr = "";
char[] processorStr = "";
uint maxThreads=1;
uint maxCores=1;
uint manufac=OTHER;
/* **
* fetches the cpu vendor string
*/
private void getVendorString()
{
char* dst = vendorStr.ptr;
// puts the vendor string into dst
asm
{
mov EAX, 0 ;
cpuid ;
mov EAX, dst ;
mov [EAX], EBX ;
mov [EAX+4], EDX ;
mov [EAX+8], ECX ;
}
}
private void getProcessorString()
{
char[48] buffer;
char* dst = buffer.ptr;
// puts the processor string into dst
asm
{
mov EAX, 0x8000_0000 ;
cpuid ;
cmp EAX, 0x8000_0004 ;
jb PSLabel ; // no support
push EDI ;
mov EDI, dst ;
mov EAX, 0x8000_0002 ;
cpuid ;
mov [EDI], EAX ;
mov [EDI+4], EBX ;
mov [EDI+8], ECX ;
mov [EDI+12], EDX ;
mov EAX, 0x8000_0003 ;
cpuid ;
mov [EDI+16], EAX ;
mov [EDI+20], EBX ;
mov [EDI+24], ECX ;
mov [EDI+28], EDX ;
mov EAX, 0x8000_0004 ;
cpuid ;
mov [EDI+32], EAX ;
mov [EDI+36], EBX ;
mov [EDI+40], ECX ;
mov [EDI+44], EDX ;
pop EDI ;
PSLabel: ;
}
if (buffer[0] == char.init) // no support
return;
// seems many intel processors prepend whitespace
processorStr = std.string.strip(std.string.toString(dst)).dup;
}
private void getFeatureFlags()
{
uint f,m,e,a,s;
asm
{
mov EAX, 0 ;
cpuid ;
cmp EAX, 1 ;
jb FeatLabel ; // no support
mov EAX, 1 ;
cpuid ;
mov f, EDX ;
mov m, ECX ;
mov a, EBX ;
mov s, EAX ;
FeatLabel: ;
mov EAX, 0x8000_0000 ;
cpuid ;
cmp EAX, 0x8000_0001 ;
jb FeatLabel2 ; // no support
mov EAX, 0x8000_0001 ;
cpuid ;
mov e, EDX ;
FeatLabel2:
;
}
flags = f;
misc = m;
exflags = e;
apic = a;
signature = s;
}
private void getThreadingIntel()
{
uint n;
ubyte b = 0;
asm
{
mov EAX, 0 ;
cpuid ;
cmp EAX, 4 ;
jb IntelSingle ;
mov EAX, 4 ;
mov ECX, 0 ;
cpuid ;
mov n, EAX ;
mov b, 1 ;
IntelSingle: ;
}
if (b != 0)
{
maxCores = ((n>>>26)&0x3F)+1;
maxThreads = (apic>>>16)&0xFF;
}
else
{
maxCores = maxThreads = 1;
}
}
private void getThreadingAMD()
{
ubyte n;
ubyte b = 0;
asm
{
mov EAX, 0x8000_0000 ;
cpuid ;
cmp EAX, 0x8000_0008 ;
jb AMDSingle ;
mov EAX, 0x8000_0008 ;
cpuid ;
mov n, CL ;
mov b, 1 ;
AMDSingle: ;
}
if (b != 0)
{
maxCores = n+1;
maxThreads = (apic>>>16)&0xFF;
}
else
{
maxCores = maxThreads = 1;
}
}
}
else
{
char[] toString() { return "unknown CPU\n"; }
char[] vendor() {return "unknown vendor"; }
char[] processor() {return "unknown processor"; }
bool mmx() {return false; }
bool fxsr() {return false; }
bool sse() {return false; }
bool sse2() {return false; }
bool sse3() {return false; }
bool ssse3() {return false; }
bool amd3dnow() {return false; }
bool amd3dnowExt() {return false; }
bool amdMmx() {return false; }
bool ia64() {return false; }
bool amd64() {return false; }
bool hyperThreading() {return false; }
uint threadsPerCPU() {return 0; }
uint coresPerCPU() {return 0; }
bool intel() {return false; }
bool amd() {return false; }
uint stepping() {return 0; }
uint model() {return 0; }
uint family() {return 0; }
}
|
D
|
/**
* Copyright: Enalye
* License: Zlib
* Authors: Enalye
*/
module grimoire.runtime.indexedarray;
import std.parallelism;
import std.range;
/**
Defragmenting array with referencable value by index.
For optimisation purposes, the index returned by the foreach statement
is the internal one : \
- Do not attempt to use this index for anything other than calling the
markInternalForRemoval function.
*/
class DynamicIndexedArray(T) {
alias InternalIndex = size_t;
private {
uint _capacity = 32u;
uint _dataTop = 0u;
uint _availableIndexesTop = 0u;
uint _removeTop = 0u;
T[] _dataTable;
uint[] _availableIndexes;
uint[] _translationTable;
uint[] _reverseTranslationTable;
uint[] _removeTable;
}
@property {
/// Number of items in the list.
uint length() const { return _dataTop; }
/// Current max.
uint capacity() const { return _capacity; }
/// The array itself.
/// Avoid changing positions/size/etc.
T[] data() { return _dataTable; }
}
/// Ctor
this() {
_dataTable.length = _capacity;
_availableIndexes.length = _capacity;
_translationTable.length = _capacity;
_reverseTranslationTable.length = _capacity;
_removeTable.length = _capacity;
}
/**
Add a new item on the list.
Returns: The index of the object.
___
This index will never change and will remain valid
as long as the object is not removed from the list.
*/
uint push(T value) {
uint index;
if((_dataTop + 1u) == _capacity) {
doubleCapacity();
}
if(_availableIndexesTop) {
//Take out the last available index on the list.
_availableIndexesTop--;
index = _availableIndexes[_availableIndexesTop];
}
else {
//Or use a new id.
index = _dataTop;
}
//Add the value to the data stack.
_dataTable[_dataTop] = value;
_translationTable[index] = _dataTop;
_reverseTranslationTable[_dataTop] = index;
++_dataTop;
return index;
}
/// Immediatly remove a value from the list. \
/// Use the index returned by `push`.
void pop(uint index) {
uint valueIndex = _translationTable[index];
//Push the index on the available indexes stack.
_availableIndexes[_availableIndexesTop] = index;
_availableIndexesTop++;
//Invalidate the index.
_translationTable[index] = -1;
//Take the top value on the stack and fill the gap.
_dataTop--;
if (valueIndex < _dataTop) {
uint userIndex = _reverseTranslationTable[_dataTop];
_dataTable[valueIndex] = _dataTable[_dataTop];
_translationTable[userIndex] = valueIndex;
_reverseTranslationTable[valueIndex] = userIndex;
}
}
/// Empty the list.
void reset() {
_dataTop = 0u;
_availableIndexesTop = 0u;
_removeTop = 0u;
}
/// The value will be removed with the next `sweepMarkedData`. \
/// Use the index given by the for loop.
void markInternalForRemoval(InternalIndex index) {
synchronized {
_removeTable[_removeTop] = _reverseTranslationTable[index];
_removeTop ++;
}
}
/// The value will be removed with the next `sweepMarkedData`. \
/// Use the index returned by `push`.
void markForRemoval(uint index) {
_removeTable[_removeTop] = index;
_removeTop ++;
}
/// Marked values will be removed from the list. \
/// Call this function **outside** of the loop that iterate over this list.
void sweepMarkedData() {
for(uint i = 0u; i < _removeTop; i++) {
pop(_removeTable[i]);
}
_removeTop = 0u;
}
/// = operator
int opApply(int delegate(ref T) dlg) {
int result;
foreach(i; 0u .. _dataTop) {
result = dlg(_dataTable[i]);
if(result)
break;
}
return result;
}
/// Ditto
int opApply(int delegate(const ref T) dlg) const {
int result;
foreach(i; 0u .. _dataTop) {
result = dlg(_dataTable[i]);
if(result)
break;
}
return result;
}
/// Ditto
int opApply(int delegate(ref T, InternalIndex) dlg) {
int result;
foreach(i; 0u .. _dataTop) {
result = dlg(_dataTable[i], i);
if(result)
break;
}
return result;
}
/// Ditto
int opApply(int delegate(const ref T, InternalIndex) dlg) const {
int result;
foreach(i; 0u .. _dataTop) {
result = dlg(_dataTable[i], i);
if(result)
break;
}
return result;
}
/// [] operator
T opIndex(uint index) {
return _dataTable[_translationTable[index]];
}
private void doubleCapacity() {
_capacity <<= 1;
_dataTable.length = _capacity;
_availableIndexes.length = _capacity;
_translationTable.length = _capacity;
_reverseTranslationTable.length = _capacity;
_removeTable.length = _capacity;
}
}
|
D
|
module owlchain.xdr.accountMergeResultCode;
enum AccountMergeResultCode
{
ACCOUNT_MERGE_SUCCESS = 0,// codes considered as "success" for the operation
// codes considered as "failure" for the operation
ACCOUNT_MERGE_MALFORMED = -1,// can't merge onto itself
ACCOUNT_MERGE_NO_ACCOUNT = -2,// destination does not exist
ACCOUNT_MERGE_IMMUTABLE_SET = -3,// source account has AUTH_IMMUTABLE set
ACCOUNT_MERGE_HAS_SUB_ENTRIES = -4// account has trust lines/offers
}
|
D
|
/*******************************************************************************
PerPixel map used for per pixel collision detection. Loads an image and
creates a collision map for it. Not recommended to use by itself, use
PixFrame instead.
Date: (2005): initial version
(2009): Updated version
Authors: Clay Smith
Liscense:
See <a href="http://www.opensource.org/licenses/zlib-license.php">zlib/libpng license</a>
with exception of drawCircle (see source) taken from SDL_gfx which is
<a href="http://www.opensource.org/licenses/lgpl-license.php">lgpl</a>
Examples:
-------------------------------------------------------------------------------
import arc.phy.collision.perpixel;
int main() {
PerPixel map = new CollisionMap("img.png");
PerPixel map2 = new CollisionMap("img2.png");
if (map.perPixelCollision(map2))
{
// we have per pixel collision between the two images
}
map2.setPosition(50,50);
map.draw();
return 0;
}
-------------------------------------------------------------------------------
*******************************************************************************/
module arc.x.perpixel.perpixel;
private import
arc.draw.color,
arc.draw.shape,
arc.draw.image,
arc.draw.attributes,
arc.math.point,
arc.math.size,
arc.math.collision,
arc.graphics.routines,
arc.texture;
private import tango.util.log.Log, tango.io.Console, tango.text.convert.Integer;
/// logger for this module
private Logger logger;
static this()
{
// setup logger
logger = Log.getLogger("arc.perpixel.perpixel");
}
import derelict.opengl.gl,
derelict.sdl.sdltypes,
derelict.sdl.sdlfuncs;
/// maps everything except alpha transparent pixels as true into the collision map to perform per pixel collisions
class PerPixel
{
public:
/// create collision from a given filename
this(char[] fileName)
{
// load texture and save SDL surface
tex = Texture(fileName, true);
assert(tex.getSDLSurface !is null);
setCollisionBools(tex.getSDLSurface);
tex.freeSDLSurface();
}
/// create a collision map based on the intersection of two boxes
this(Point p1, Size s1, Point p2, Size s2, inout Point pos)
{
float width = 0, height = 0;
float ex, why;
// do a swap, as this function will only work with the
// larger frame being s1 for both width and height
if (s1.getWidth < s2.getWidth)
{
float tmp = s1.getWidth;
s1.setWidth(s2.getWidth);
s2.setWidth(tmp);
tmp = p1.getX;
p1.setX(p2.getX);
p2.setX(tmp);
}
if (s1.getHeight < s2.getHeight)
{
float tmp = s1.getHeight;
s1.setHeight(s2.getHeight);
s2.setHeight(tmp);
tmp = p1.getY;
p1.setY(p2.getY);
p2.setY(tmp);
}
// forumula found with lots of testing
// right side
if (p1.getX >= p2.getX && p1.getX <= (p2.getX+s2.getWidth))
{
ex = p1.getX;
why = p1.getY;
width = (p2.getX+s2.getWidth)-p1.getX;
// below
if (p1.getY >= p2.getY && p1.getY <= p2.getY+s2.getHeight)
{
height = (p2.getY+s2.getHeight) - p1.getY;
//debug writefln("right bottom");
}
// above
else if (p1.getY+s1.getHeight >= p2.getY && p1.getY+s1.getHeight <= p2.getY+s2.getHeight)
{
ex = p1.getX;
why = p2.getY;
height = p1.getY+s1.getHeight-p2.getY;
//debug writefln("right top");
}
// middle
else if (p1.getY <= p2.getY && p1.getY + s1.getHeight >= p2.getY + s2.getHeight)
{
ex = p1.getX;
why = p2.getY;
height = s2.getHeight;
//debug writefln("right middle");
}
}
// left side
else if ( (p1.getX+s1.getWidth) >= p2.getX && (p1.getX+s1.getWidth) <= (p2.getX+s2.getWidth))
{
ex = p2.getX;
why = p1.getY;
width = (p1.getX+s1.getWidth)-p2.getX;
// below
if (p1.getY >= p2.getY && p1.getY <= p2.getY+s2.getHeight)
{
height = (p2.getY+s2.getHeight) - p1.getY;
}
// above
else if (p1.getY+s1.getHeight >= p2.getY && p1.getY+s1.getHeight <= p2.getY+s2.getHeight)
{
ex = p2.getX;
why = p2.getY;
height = p1.getY+s1.getHeight-p2.getY;
}
// middle
else if (p1.getY <= p2.getY && p1.getY + s1.getHeight >= p2.getY + s2.getHeight)
{
ex = p2.getX;
why = p2.getY;
height = s2.getHeight;
}
}
// middle
else if (p1.getX <= p2.getX && p1.getX + s1.getWidth >= p2.getX + s2.getWidth)
{
width = s2.getWidth;
// below
if (p1.getY >= p2.getY && p1.getY <= p2.getY+s2.getHeight)
{
ex = p2.getX;
why = p1.getY;
height = (p2.getY+s2.getHeight) - p1.getY;
}
// above
else if (p1.getY+s1.getHeight >= p2.getY && p1.getY+s1.getHeight <= p2.getY+s2.getHeight)
{
ex = p2.getX;
why = p2.getY;
height = p1.getY+s1.getHeight-p2.getY;
}
// middle
else if (p1.getY <= p2.getY && p1.getY + s1.getHeight >= p2.getY + s2.getHeight)
{
ex = p2.getX;
why = p2.getY;
height = s2.getHeight;
}
}
// we have a valid collision map
if (width != 0 && height != 0)
{
// setup collision bools based on found width and height
setCollisionBools(cast(int)width, cast(int)height, true);
// calculate position
//setPosition(ex,why);
pos = Point(ex,why);
}
//drawRect(ex, why, width, height, 0,0,255,255,true);
// otherwise don't bother with a map
}
///creates a collision map based on the radius of a circle
this(float gx, float gy, float r, float width, float height)
{
// we start with creating the map and setting all bools to false
debug assert(r != 0);
setCollisionBools(cast(int)(r+r-1),cast(int)(r+r), false);
// we then use a special algorithm to draw the circle on the collision map
drawCircle(cast(Sint16)r, width, height);
//setPosition(gx-r,gy-r);
}
/// return texture
Texture getTexture() { return tex; }
/// draw map with previous color
void draw(Color col)
{
drawImageTopLeft(tex, pos, tex.getSize, col);
}
/// test given collision map against this map for per pixel collision
bool pixelCollision(PerPixel col)
{
// box col is a quick way to end test if they arn't close
if (boxCol(col))
// box1.getX -- box1.getX+box1.w
for (float i = pos.x; i < pos.x + tex.getSize.getWidth; i++)
// box1.getY -- box1.getY+box1.h
for (float j = pos.y; j < pos.y + tex.getSize.getHeight; j++)
// if px is within range of box2
if (i > col.getPosition.x && i < col.getPosition.x + col.getWidth)
// if py is within range of box2
if (j > col.getPosition.y && j < col.getPosition.y + col.getHeight)
// if it's a solid pixel on the first box
if (( collision[cast(int)(i - pos.x)][cast(int)(j - pos.y)] ) &&
// and a solid pixel on the second box, we have collision
col.collision[cast(int)(i - col.getPosition.x)][cast(int)(j - col.getPosition.y)])
return true;
return false;
}
/// check to see if point x,y collides with collision map
bool xyCol(Point arg)
{
if (boxCol(arg))
{
if (collision[cast(int)(arg.x - pos.x)][cast(int)(arg.y - pos.y)])
{
return true;
}
}
return false;
}
/// print collision bools
void printCollision()
in
{
assert(collision.length != 0);
assert(collision[0].length != 0);
}
body
{
char[] outstr="\n";
for (int width = 0; width < collision.length; width++)
{
for (int height = 0; height < collision[0].length; height++)
{
if (collision[width][height] == true)
{
outstr ~= "1 ";
}
else
{
outstr ~= "0 ";
}
}
outstr ~= "\n ";
}
logger.info(outstr);
}
/// from x1 to x2 fill collision map
void fillHoroz(int x1, int x2, int y1)
{
for (int m = x1; m < x2; m++)
{
collision[y1][m] = true;
}
}
/// lgpl taken from SDL_gfx and modified filled in circle
bool drawCircle(Sint16 r, float width, float height)
{
Sint16 x = r;
Sint16 y = r-1;
// loads of vars
Sint16 left, right, top, bottom;
Sint16 x1, y1, x2, y2;
Sint16 cx = 0;
Sint16 cy = r;
Sint16 ocx = cast(Sint16) 0xffff;
Sint16 ocy = cast(Sint16) 0xffff;
Sint16 df = 1 - r;
Sint16 d_e = 3;
Sint16 d_se = -2 * r + 5;
Sint16 xpcx, xmcx, xpcy, xmcy;
Sint16 ypcy, ymcy, ypcx, ymcx;
/*
* Sanity check radius
*/
if (r <= 0)
return false;
/*
* Get clipping boundary
*/
left = cast(Sint16)x;
right = cast(Sint16)(x + width - 1);
top = cast(Sint16)y;
bottom = cast(Sint16)(y + height - 1);
/*
* Test if bounding box of circle is visible
*/
x1 = x - r;
x2 = x + r;
y1 = y - r;
y2 = y + r;
if ((x1<left) && (x2<left))
{
return false;
}
if ((x1>right) && (x2>right))
{
return false;
}
if ((y1<top) && (y2<top))
{
return false;
}
if ((y1>bottom) && (y2>bottom))
{
return false;
}
/*
* Draw
*/
do
{
xpcx = x + cx;
xmcx = x - cx;
xpcy = x + cy;
xmcy = x - cy;
if (ocy != cy)
{
if (cy > 0)
{
ypcy = y + cy;
ymcy = y - cy;
fillHoroz(xmcx, xpcx, ypcy);
fillHoroz(xmcx, xpcx, ymcy);
}
else
{
fillHoroz(xmcx, xpcx, y);
}
ocy = cy;
}
if (ocx != cx)
{
if (cx != cy)
{
if (cx > 0)
{
ypcx = y + cx;
ymcx = y - cx;
fillHoroz(xmcy, xpcy, ymcx);
fillHoroz(xmcy, xpcy, ypcx);
}
else
{
fillHoroz(xmcy, xpcy, y);
}
}
ocx = cx;
}
/*
* Update
*/
if (df < 0)
{
df += d_e;
d_e += 2;
d_se += 2;
} else {
df += d_se;
d_e += 2;
d_se += 4;
cy--;
}
cx++;
} while (cx <= cy);
return true;
}
/// set the collision bools as appropriate for the surface
void setCollisionBools(SDL_Surface *surf)
{
collision.length = surf.w;
for (int i = 0; i < collision.length; i++)
collision[i].length = surf.h;
for (int width = 0; width < surf.w; width++)
{
for (int height = 0; height < surf.h; height++)
{
Uint32 color = getpixel(surf, width, height);
// these colors found by testing
if (color >= 0 && color <= transparent)
collision[width][height] = false;
else
collision[width][height] = true;
}
}
}
/// set collision bools as all true based on given width and height - used for box-pixel collision
void setCollisionBools(int argWidth, int argHeight, bool setTo)
{
// grow dynamic array to given size
collision.length = argWidth;
for (int i = 0; i < collision.length; i++)
collision[i].length = argHeight;
// just set collision map to true
for (int width = 0; width < argWidth; width++)
for (int height = 0; height < argHeight; height++)
collision[width][height] = setTo;
}
/// test box against another collision map, used to speed up per pixel collision
bool boxCol(PerPixel col)
{
return boxBoxCollision(pos, tex.getSize, col.getPosition, col.getSize);
}
/// check point for collision against box, used to speed up per pixel collision tests
bool boxCol(Point arg)
{
return boxXYCollision(arg, pos, tex.getSize);
}
/// draw box around image
void drawBox()
{
DrawAttributes attr;
attr.fill = Color.White;
attr.isFill = false;
drawRectangle(pos, tex.getSize, attr);
}
///
float getWidth() { return tex.getSize.getWidth; }
///
float getHeight() { return tex.getSize.getHeight; }
///
Size getSize() { return tex.getSize; }
///
float getX() { return pos.x; }
///
float getY() { return pos.y; }
///
Point getPosition() { return pos; }
/// set position
void setPosition(Point p) { pos = p; }
private:
Texture tex;
Point pos;
// collision map representing pixels
bool[][] collision;
}
|
D
|
/Users/yq/Project/Swift/SwiftGroup/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/ToArray.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/ToArray~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/ToArray~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/ToArray~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/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Random.build/RandomProtocol.swift.o : /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/RandomProtocol.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/Array+Random.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/OSRandom.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/URandom.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/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.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/user/Documents/RiseTimeAssets/server/.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/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.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/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Random.build/RandomProtocol~partial.swiftmodule : /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/RandomProtocol.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/Array+Random.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/OSRandom.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/URandom.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/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.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/user/Documents/RiseTimeAssets/server/.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/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.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/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/Random.build/RandomProtocol~partial.swiftdoc : /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/RandomProtocol.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/Array+Random.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/OSRandom.swift /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/crypto.git-7980259129511365902/Sources/Random/URandom.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/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.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/user/Documents/RiseTimeAssets/server/.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/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/user/Documents/RiseTimeAssets/server/.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/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /Users/user/Documents/RiseTimeAssets/server/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/user/Documents/RiseTimeAssets/server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
|
D
|
#include <stdio.h>
#include <stddef.h>
#include <unistd.h>
#include <math.h>
#include <time.h>
#include "ldev.h"
#include "../labTools/lcode.h"
#include "../labTools/toys.h"
#include "../labTools/matlab.h"
#include "../labTools/timer.h"
#include "../labTools/udpmsg.h"
#include "../labTools/dio_lab.h"
/* signal numbers for eyes */
#define EYEH_SIG 0
#define EYEV_SIG 1
/* signal numbers for joy */
#define JOYH_SIG 6
#define JOYY_SIG 7
/* for gl_eye_flag */
#define E_OFF 0
#define E_FIX 1
#define REWARD_LOOP_OFF 0
#define REWARD_LOOP_ON 1
/* windows for eyeflag and screen */
#define WIND0 0
#define WIND1 1
#define WIND7 7
/* Number of objects in this task, Fix Point and Single Target */
#define NUM_OBJECTS 2
/* calculate actual position from voltages from joystick.
** In Rex's standard, every 40 steps of an analog signal corresponds to 1 degree
** multiply by 0.25 to get to a resolution of 10 steps per degree.
*/
#define CALC_JOY(x) ((int) (0.25 * (double) (x)))
struct visObj {
long x;
long y;
long diameter;
RGB color;
};
static struct visObj gl_fixObjEye;
static struct visObj gl_targObj;
/* GLOBAL VARIABLES */
int gl_delay;
int gl_ecc;
int gl_eyeFixDiam;
int gl_eyeFixX;
int gl_eyeFixY;
int gl_targDiam;
int gl_eye_flag = 0;
int gl_reward_fixation = 0;
int gl_reward_flag = 0;
int gl_joySet = 0, storex = 0, storey = 0;
int *gl_xPositions = NULL;
int *gl_yPositions = NULL;
int *gl_trialIndices = NULL;
int gl_record = 0;
int gl_ntrials = 0;
int gl_trialCtr = 0;
int gl_remain = 1;
int gl_positionMult = 1;
/* ROUTINES */
/*
***** INITIALIZATION routines
*/
/* ROUTINE: rinitf
** initialize at first pass or at r s from keyboard
*/
void rinitf(void)
{
/* close/open udp connection */
/*
** This is now done in clock.c so that we can open multiple paradigms
** without causing clashes when binding to the socket
*/
// udp_close();
// udp_open(rexIP, udpPORT);
/* initialize interface (window) parameters */
wd_cntrl (WIND0, WD_ON);
wd_src_check (WIND0, WD_SIGNAL, EYEH_SIG, WD_SIGNAL, EYEV_SIG);
wd_src_pos (WIND0, WD_DIRPOS, 0, WD_DIRPOS, 0);
/* for correct reponse */
wd_cntrl (WIND1, WD_ON);
wd_src_check (WIND1, WD_SIGNAL, EYEH_SIG, WD_SIGNAL, EYEV_SIG);
wd_src_pos (WIND1, WD_DIRPOS, 0, WD_DIRPOS, 0);
/* static window for screen limits */
#ifdef SCR_LIM_HOR /* defined in ldev.h */
wd_cntrl (WIND7, WD_ON);
wd_src_pos (WIND7, WD_DIRPOS, 0, WD_DIRPOS, 0);
wd_pos (WIND7, 0, 0);
wd_siz (WIND7, SCR_LIM_HOR, SCR_LIM_VER); /* from ldev.h! */
#endif
}
/* ROUTINE: setup_screen
**
** initialize parameters/routines... two sets are
** considered: those that typically
** need to be set once during a session and those
** that should be set each time through the state set
**
** args:
** mon_horiz_cm ... screen width
** view_dist_cm ... viewing distance (eyes to screen)
** repeat_flag ... a hedge -- if != 0 then always do
** initializations
*/
int setup_screen(long mon_width_cm, long view_dist_cm, long num_targets, long long repeat_flag)
{
static int first_time = 1;
/* Do these only if first time through or if explicitly
** told to do each time... enable pcmsg & init the screen
*/
if(repeat_flag || first_time) {
first_time = 0;
/* init the screen */
printf("\n");
printf("Initializing screen with values from state list (root file):\n");
mat_initScreen(mon_width_cm, view_dist_cm, num_targets, 0);
printf("\n");
printf("Horizontal screen size: %d cm\n", mon_width_cm);
printf("Viewing distance: %d cm\n", view_dist_cm);
printf("\n");
}
return 0;
}
/****
***** VISUAL STIMULUS (MATLAB) routines
****/
/*
** ROUTINE: drawTarg, 1 to show, 0 to erase
**
*/
int drawTarg(long showFixEye, long showTarg)
{
int num_show=0, num_hide=0;
int show_ind[NUM_OBJECTS], hide_ind[NUM_OBJECTS];
int flags[2] = {showFixEye, showTarg};
int i;
for(i=0; i<2; i++) {
if (flags[i])
show_ind[num_show++] = i+1;
else
hide_ind[num_hide++] = i+1;
}
mat_targDraw(num_show, show_ind, num_hide, hide_ind);
return 0;
}
int defTargLum(long fixEyeLum, long targLum)
{
long lum[NUM_OBJECTS] = {fixEyeLum, targLum};
RGB color;
struct visObj v_obj;
int i;
for(i=0; i<2; i++) {
switch (i) {
case 0:
v_obj = gl_fixObjEye; break;
case 1:
v_obj = gl_targObj; break;
}
if (lum[i]>=0) {
color.R = lum[i]*v_obj.color.R / 1000.;
color.G = lum[i]*v_obj.color.G / 1000.;
color.B = lum[i]*v_obj.color.B / 1000.;
mat_targDefine(i+1, v_obj.x, v_obj.y, v_obj.diameter,&color);
}
}
drawTarg(1,1);
return 0;
}
int initScreen_done()
{
return mat_getWent(MAT_INIT_SCREEN_CMD, IS_EXECUTED);
}
int drawTarg_done()
{
return mat_getWent(MAT_TARG_DRAW_CMD, IS_EXECUTED);
}
/****
***** UTILITY routines
*/
/* ROUTINE position_eyewindow
**
** sets window location
*/
/* ROUTINE position_eyewindow
**
** sets window location
*/
int position_eyewindow(long wd_width, long wd_height, long flag)
{
if (flag == 0) { // Fixation point
wd_pos(WIND0, gl_fixObjEye.x, gl_fixObjEye.y);
EC_TAG2(I_EFIX_ACCEPTHX, wd_width);
EC_TAG2(I_EFIX_ACCEPTHY, wd_height);
} else if (flag == 1) { // Target
wd_pos(WIND0, gl_targObj.x, gl_targObj.y);
//EC_TAG2(I_ETC_ACCEPTHX, wd_width);
//EC_TAG2(I_ETC_ACCEPTHY, wd_height);
}
wd_siz(WIND0, wd_width, wd_height);
wd_cntrl(WIND0, WD_ON);
return(0);
}
int setup_eyewindows(long wd_width, long wd_height)
{
wd_pos(WIND1, gl_targObj.x, gl_targObj.y);
wd_siz(WIND1, wd_width, wd_height);
wd_cntrl(WIND1, WD_ON);
EC_TAG2(I_ETARG_ACCEPTHX, wd_width);
EC_TAG2(I_ETARG_ACCEPTHY, wd_height);
}
/* ROUTINE: open_adata
**
** Opens analog data
*/
int open_adata(void)
{
awind(OPEN_W);
return(0);
}
/* ROUTINE: end_trial
**
*/
int end_trial(long aflag)
{
printf("end_trial\n");
/* turn eye position windows off */
wd_cntrl(WIND0, WD_OFF);
wd_cntrl(WIND1, WD_OFF);
/* blank the screen */
mat_allOff();
ec_send_code(LASTCD);
/* close the analog data window */
awind(aflag);
return(0);
}
/* ROUTINE: set_eye_flag
**
*/
int set_eye_flag(long flag)
{
gl_eye_flag = flag;
if (flag == E_FIX)
ec_send_code(EFIXACQ);
return(0);
}
int set_reward_flag(long flag)
{
gl_reward_flag = flag;
return(0);
}
/* ROUTNE: give_reward
**
** description: activates the water reward system
*/
int give_reward(long dio, long duration)
{
dio_on(dio);
timer_set1(0,0,0,0,duration,0);
EC_TAG2(I_REWSIZE_COR, duration);
return 0;
}
int make_task(void) {
int i;
if (!gl_record) {
gl_remain = 1;
return 0;
}
/* x positions */
gl_xPositions = (int *) realloc(gl_xPositions,gl_ntrials * sizeof(int));
if (gl_xPositions == NULL) {
free(gl_xPositions);
gl_xPositions = NULL;
printf("Could not allocate memory for gl_xPositions\n");
}
/* y positions */
gl_yPositions = (int *) realloc(gl_yPositions,gl_ntrials * sizeof(int));
if (gl_yPositions == NULL) {
free(gl_yPositions);
gl_yPositions = NULL;
printf("Could not allocate memory for gl_yPositions\n");
}
/* trial indices */
gl_trialIndices = (int *) realloc(gl_trialIndices,gl_ntrials * sizeof(int));
if (gl_trialIndices == NULL) {
free(gl_trialIndices);
gl_trialIndices = NULL;
printf("Could not allocate memory for gl_trialIndices\n");
}
/* If eccentricity is greater than 0, then we're using 7 positions, not 2 flipped about vertical axis */
if (gl_ecc > 0) {
float x[]={-1*gl_ecc, 1*gl_ecc, 0,
-1*gl_ecc/sqrt(2), -1*gl_ecc/sqrt(2),
1*gl_ecc/sqrt(2), 1*gl_ecc/sqrt(2)
};
float y[]={0, 0, 1*gl_ecc,
1*gl_ecc/sqrt(2), -1*gl_ecc/sqrt(2),
1*gl_ecc/sqrt(2), -1*gl_ecc/sqrt(2)
};
for (i = 0; i<gl_ntrials; i++) {
//printf("here %f\n", x[i%7]);
gl_xPositions[i] = x[i%7]+gl_eyeFixX;
gl_yPositions[i] = y[i%7]+gl_eyeFixY;
}
} else {
for (i = 0; i < gl_ntrials/2; i++) {
//printf("%d ", i);
gl_xPositions[i]= 1 * storex;
gl_yPositions[i]= 1 * storey;
}
for (i = gl_ntrials/2; i < gl_ntrials; i++) {
//printf("%d ", i);
gl_xPositions[i]= -1 * storex*gl_positionMult/10.;
gl_yPositions[i]= 1 * storey;
}
}
/* shuffle up the trials */
for (i = 0; i < gl_ntrials; i++)
gl_trialIndices[i]=i;
for (i = gl_ntrials-1; i > 0; i--) {
int c = rand() % gl_ntrials;
if (c > gl_ntrials-1)
printf("uh oh");
int t = gl_trialIndices[c];
gl_trialIndices[c] = gl_trialIndices[i];
gl_trialIndices[i] = t;
}
gl_trialCtr = gl_ntrials-1;
printf("\nX positions = \n");
for ( i = 0; i < gl_ntrials; i++) {
printf("%d ", gl_xPositions[gl_trialIndices[i]]);
}
printf("\n");
printf("\nY positions = \n");
for ( i = 0; i < gl_ntrials; i++) {
printf("%d ", gl_yPositions[gl_trialIndices[i]]);
}
printf("\n");
if (gl_trialCtr >= 0)
gl_remain = 1;
return 0;
}
/* ROUTINE: nexttrl
**
*/
int nexttrl()
{
// float x[]={-1*dist*dpc, -1*dist*dpc/sqrt(2), 0, dist*dpc/sqrt(2), dist*dpc,
// dist*dpc/sqrt(2), 0, -1*dist*dpc/sqrt(2)};
// float y[]={0, dist*dpc/sqrt(2), dist*dpc, dist*dpc/sqrt(2), 0, -1*dist*dpc/sqrt(2),
// -1*dist*dpc, -1*dist*dpc/sqrt(2)};
/*float x[]={-1*dist*dpc, dist*dpc,
* -1*sqrt(3)/2.*dist*dpc, -1*dist*dpc/sqrt(2), -1*dist*dpc/2.,
* -1*sqrt(3)/2.*dist*dpc, -1*dist*dpc/sqrt(2), -1*dist*dpc/2.,
* sqrt(3)/2.*dist*dpc, dist*dpc/sqrt(2), dist*dpc/2.,
* sqrt(3)/2.*dist*dpc, dist*dpc/sqrt(2), dist*dpc/2.,
*
*};
*
*float y[]={0, 0,
* dist*dpc/2., dist*dpc/sqrt(2), sqrt(3)/2.*dist*dpc,
* -1*dist*dpc/2., -1*dist*dpc/sqrt(2), -1*sqrt(3)/2.*dist*dpc,
* dist*dpc/2., dist*dpc/sqrt(2), sqrt(3)/2.*dist*dpc,
* -1*dist*dpc/2., -1*dist*dpc/sqrt(2), -1*sqrt(3)/2.*dist*dpc,
*};
*/
open_adata();
printf("nexttrl\n");
if (gl_record) {
if (gl_trialCtr < 0) {
gl_remain = 0;
return(0);
} else {
gl_targObj.x = (int) round(gl_xPositions[gl_trialIndices[gl_trialCtr]]);
gl_targObj.y = (int) round(gl_yPositions[gl_trialIndices[gl_trialCtr]]);
gl_remain = 1;
}
} else {
/* just get the joystick */
gl_targObj.x = storex;
gl_targObj.y = storey;
gl_remain = 1;
}
ec_send_code(STARTCD); /* official start of trial ! */
/* Update position to stored joystick position */
gl_fixObjEye.color.R = 255;
gl_fixObjEye.color.G = 0;
gl_fixObjEye.color.B = 0;
gl_fixObjEye.x = gl_eyeFixX;
gl_fixObjEye.y = gl_eyeFixY;
gl_targObj.color.R=255;
gl_targObj.color.G=255;
gl_targObj.color.B=255;
gl_fixObjEye.diameter = gl_eyeFixDiam;
gl_targObj.diameter = gl_targDiam;
/* send the target setup commands */
mat_targDefine(1, gl_fixObjEye.x, gl_fixObjEye.y, gl_fixObjEye.diameter, &(gl_fixObjEye.color));
mat_targDefine(2, gl_targObj.x, gl_targObj.y, gl_targObj.diameter, &(gl_targObj.color));
/* save the parameters */
/*
* TASK IDENTIFIER
* 0 is overlap saccade, 1 is overlap reach
* 10 is memory saccade, 11 is memory reach
*
*/
EC_TAG2(I_TRIALIDCD,gl_delay*10);
EC_TAG2(I_MONITORDISTCD, VIEW_DIST_CM);
/* eye/hand fixation x, y, diameter */
EC_TAG1(I_FIXXCD, gl_fixObjEye.x);
EC_TAG1(I_FIXYCD, gl_fixObjEye.y);
EC_TAG2(I_EFIXDIAMCD, gl_fixObjEye.diameter);
/* target 1 x, y, diameter */
EC_TAG1(I_TRG1XCD, gl_targObj.x);
EC_TAG1(I_TRG1YCD, gl_targObj.y);
EC_TAG2(I_TRG1DIAMCD, gl_targObj.diameter);
da_set_2(0, gl_targObj.x, 1, gl_targObj.y);
return 0;
}
int total(long score)
{
/* set globals for eye checking */
gl_eye_flag = 0;
gl_reward_flag = 0;
/* Drop the appropriate code */
if(score == CORRECT) {
ec_send_code(CORRECTCD);
EC_TAG1(I_RESPONSE, 1);
if (gl_record)
gl_trialCtr--;
} else if(score == WRONG) {
ec_send_code(WRONGCD);
EC_TAG1(I_RESPONSE, 0);
} else if(score == NCERR) {
ec_send_code(NOCHCD);
EC_TAG1(I_RESPONSE, -1);
} else if(score == BRFIX) {
ec_send_code(FIXBREAKCD);
EC_TAG1(I_RESPONSE, -2);
again(); /* this is equivalent of reset_s(), it executes the abort list */
}
/* outta */
return(0);
}
/* ROUTINE: abort_cleanup
**
** called only from abort list
*/
int abort_cleanup(void)
{
// turn off reward if it was left on
printf("abort_cleanup\n");
dio_off(REW);
timer_pause(100); /* wait in case of went */
end_trial(CANCEL_W); /* cancel analog window, blank screen */
return(0);
}
USER_FUNC ufuncs[] = {};
/* Top-level state menu
*/
VLIST state_vl[] = {
{"RECORDING", &(gl_record), NP, make_task, ME_AFT, ME_DEC},
{"NTRIALS", &(gl_ntrials), NP, make_task, ME_AFT, ME_DEC},
{"PositionMultiplier", &(gl_positionMult), NP, NP, 0, ME_DEC},
{"Eccentricity", &(gl_ecc), NP, NP, 0, ME_DEC},
{"RewardFixation", &(gl_reward_fixation), NP, NP, 0, ME_DEC},
{"Delay", &(gl_delay), NP, NP, 0, ME_DEC},
{"EyeFixX", &(gl_eyeFixX), NP, NP, 0, ME_DEC},
{"EyeFixY", &(gl_eyeFixY), NP, NP, 0, ME_DEC},
{"EyeFixDiameter", &(gl_eyeFixDiam), NP, NP, 0, ME_DEC},
{"TargDiameter", &(gl_targDiam), NP, NP, 0, ME_DEC},
{NS}};
/* Help strings */
char no_help[] = "";
MENU umenus[] = {
{"State_vars", &state_vl, NP, NP, 0, NP, no_help},
{NS}
};
RTVAR rtvars[] = {};
/* THE STATE SET
*/
%%
id 900
restart rinitf
main_set {
status ON
begin first:
to firstcd
firstcd:
do ec_send_code(HEADCD)
to setup
setup: /* SETUP THE SCREEN */
do setup_screen(32, 48, 3, 0)
to loop on 1 % initScreen_done
loop: /* START THE LOOP -- loop on # trials */
time 1000
to pause on +PSTOP & softswitch
to go
pause:
do ec_send_code(PAUSECD)
to go on -PSTOP & softswitch
go: /**** TRIAL !!! ****/
to donelist on -ONES & gl_remain
to settrl
donelist: /* done with current set... wait for "gl_remain" to update */
do ec_send_code(LISTDONECD)
to loop on +ONES & gl_remain
settrl: /* set up current trial */
do nexttrl()
to task on +ONES & gl_remain
to loop
task: /**** TASK BRANCHING ... ****/
to teye_start
/* position window, wait for fixation */
fixeyewinpos:
do position_eyewindow(10, 10, 0)
time 10 /* this is very important - it takes time to set window */
to fixeyewait
fixeyewait: /* wait for either eye or hand fixation */
time 5000
to fixeyedelay on -WD0_XY & eyeflag
to nofix
nofix: /* failed to attain either eye or hand fixation */
time 2000
do end_trial(CANCEL_W)
to loop
/* Monkey attained eye fixation */
fixeyedelay:
time 20 /* delay before activating eye_flag - noise on the eye position signal should not be able to "break eye fixation" */
to fixeyeset
fixeyeset: /* set flag to check for eye fixation breaks */
do set_eye_flag(E_FIX)
to fixeyedone
/* Done with fixating stuff */
fixeyedone:
do position_eyewindow(25, 25, 3)
to teye_targ_wait
/*** CHAIN FOR TASK EYE
***/
teye_start:
do setup_eyewindows(25,25)
to teye_fp
teye_fp:
do drawTarg(1, 0)
to teye_fp_cd on MAT_WENT % drawTarg_done
/* to teye_fp_cd on PHOTO_DETECT_UP % dio_check_photodetector */
teye_fp_cd:
do ec_send_code(FPONCD)
to fixeyewinpos
teye_targ_wait:
do timer_set1_shell(1000,200,600,100,0,0)
to teye_targ on +MET % timer_check1
teye_targ: /* show the targets */
do drawTarg(1, 1)
to teye_targ_cd on MAT_WENT % drawTarg_done
/* to teye_targ_cd on PHOTO_DETECT_DOWN % dio_check_photodetector */
teye_targ_cd:
do ec_send_code(TARGC1CD)
to teye_activate_reward_loop on 1 = gl_reward_fixation
to teye_removeTargWait on 1 = gl_delay
to teye_waitfpoff
teye_activate_reward_loop:
do set_reward_flag(REWARD_LOOP_ON)
to teye_removeTargWait on 1 = gl_delay /* memory or overlap saccade */
to teye_waitfpoff
teye_removeTargWait:
do timer_set1_shell(0,0,0,0,200,0)
to teye_removeTarg on +MET % timer_check1
teye_removeTarg:
do defTargLum(1, 0)
//do drawTarg(1, 0)
to teye_removeTarg_cd on MAT_WENT % drawTarg_done
/* to teye_removeTarg_cd on PHOTO_DETECT_UP % dio_check_photodetector */
teye_removeTarg_cd:
do ec_send_code(TARGC1OFFCD)
to teye_waitfpoff
/* FP OFF */
teye_waitfpoff:
do timer_set1_shell(1000,200,1500,1000,0,0)
to teye_fpoffBranch on +MET % timer_check1
teye_fpoffBranch:
to teye_fpoffOverlap on 0 = gl_delay
to teye_fpoffMemory on 1 = gl_delay
teye_fpoffOverlap: /* turn the FP off */
do drawTarg(0,1)
to teye_fpoff_cd on MAT_WENT % drawTarg_done
/* to teye_fpoff_cd on PHOTO_DETECT_UP % dio_check_photodetector */
teye_fpoffMemory: /* turn the FP off */
do drawTarg(0,0)
to teye_fpoff_cd on MAT_WENT % drawTarg_done
/* to teye_fpoff_cd on PHOTO_DETECT_DOWN % dio_check_photodetector */
teye_fpoff_cd:
do ec_send_code(FPOFFCD)
to teye_deactivate_reward_loop
teye_deactivate_reward_loop:
do set_reward_flag(REWARD_LOOP_OFF)
to teye_grace /* wait for sac */
/* grace period in which monsieur le monk has to
** break fixation and start the saccade
*/
teye_grace:
do set_eye_flag(E_OFF)
to teye_gracea
teye_gracea:
time 2000
to teye_saccd on +WD0_XY & eyeflag
to wcshow
teye_saccd:
do ec_send_code(SACMADCD)
to check_eye_response
/* end trial checking, can only be right or wrong */
check_eye_response:
time 50
to peyehold on -WD1_XY & eyeflag /* got it! */
to wcshow
peyehold:
do ec_send_code(TRGACQUIRECD)
time 50 /* gotta hold for this long */
to wcshow on +WD1_XY & eyeflag
to pref
/* visual feedback if not successful */
wcshow: /* show the targets */
do drawTarg(0, 1)
to wcwait on MAT_WENT % drawTarg_done
wcwait:
time 0
to wcerr
/* NO CHOICE: didn't complete the task */
wcerr:
do total(NCERR)
to wcend
wcend:
do end_trial(CLOSE_W)
time 1000
to loop
/* PREF: update the totals and give a reward
*/
pref:
do total(CORRECT)
to prend
prend:
do end_trial(CLOSE_W)
to prrew
prrew:
do give_reward(REW, 150)
to prrew_off on +MET % timer_check1
prrew_off:
do dio_off(REW)
to prdone
prdone:
time 0
to loop
abtst: /* for abort list */
do abort_cleanup()
to prdone
abort list:
abtst
}
/* set to check for fixation break during task...
** use set_eye_flag to set gl_eye_state to non-zero
** to enable loop
*/
eye_set {
status ON
begin efirst:
to etest
etest:
to echk on E_FIX = gl_eye_flag
echk:
to efail on +WD0_XY & eyeflag
to etest on E_OFF = gl_eye_flag
efail:
do total(BRFIX)
to etest
abort list:
}
reward_loop {
status ON
begin rfirst:
to r_rtest
r_rtest:
to r_prrew on REWARD_LOOP_ON = gl_reward_flag
r_prrew:
time 100
do dio_on(REW)
to r_prrew_off
r_prrew_off:
time 100
do dio_off(REW)
to r_rtest
abort list:
}
udp_set {
status ON
begin ufirst:
to uchk
uchk:
do udpCheckReceiveFork()
to uchkAgain
uchkAgain: // simply prevents looping back on same state, which Rex doesn't always like
do udpCheckReceiveFork()
to uchk
abort list:
}
//check_touch {
//status ON
//begin cfirst:
// to cprint
// cprint:
// time 500
// do printtouch()
// to cprintagain
// cprintagain:
// time 500
// do printtouch()
// to cprint
//abort list:
//}
|
D
|
module intervaltree;
/// Interval with zero-based, half-open coordinates
/// Any other Interval struct (or class?) OK
/// as long as it contains "start" and "end"
struct BasicInterval(T)
{
T start; /// zero-based half-open
T end; /// zero-based half-open
/// override the <, <=, >, >= operators; we'll use compiler generated default opEqual
@safe
@nogc nothrow
int opCmp(const ref BasicInterval other) const
{
if (this.start < other.start) return -1;
else if(this.start > other.start) return 1;
else if(this.start == other.start && this.end < other.end) return -1; // comes third as should be less common
else if(this.start == other.start && this.end > other.end) return 1;
else return 0; // would be reached in case of equality
}
/// override <, <=, >, >= to compare directly to int: compare only the start coordinate
@nogc nothrow
T opCmp(const T other) const
{
return this.start - other;
}
string toString() const
{
import std.format : format;
return format("[%d, %d)", this.start, this.end);
}
invariant
{
assert(this.start <= this.end);
}
}
/** Detect overlap between this interval and other given interval
in a half-open coordinate system [start, end)
Top-level function template for reuse by many types of Interval objects
Template type parameter Interval Type must have {start, end}
Still usable with member-function style due to UFCS: interval.overlaps(other)
return true in any of the following four situations:
int1 ===== =======
int2 ======= =======
int1 ======= =======
int2 === =======
return false in any other scenario:
int1 ===== | =====
int2 ===== | =====
NOTE that in half-open coordinates [start, end)
i1.end == i2.start => Adjacent, but NO overlap
*/
@nogc pure @safe nothrow
bool overlaps(IntervalType1, IntervalType2)(IntervalType1 int1, IntervalType2 int2)
if (__traits(hasMember, IntervalType1, "start") &&
__traits(hasMember, IntervalType1, "end") &&
__traits(hasMember, IntervalType2, "start") &&
__traits(hasMember, IntervalType2, "end"))
{
// DMD cannot inline this
version(LDC) pragma(inline, true);
version(GNU) pragma(inline, true);
if (int2.start < int1.end && int1.start < int2.end) return true;
else return false;
}
|
D
|
any factual evidence that helps to establish the truth of something
a formal series of statements showing that if one thing is true something else necessarily follows from it
a measure of alcoholic strength expressed as an integer twice the percentage of alcohol present (by volume)
(printing) an impression made to check for errors
a trial photographic print from a negative
the act of validating
make or take a proof of, such as a photographic negative, an etching, or typeset
knead to reach proper lightness
read for errors
activate by mixing with water and sometimes sugar or milk
make resistant (to harm
(used in combination or as a suffix) able to withstand
|
D
|
fdmlc (1) --- interface to Prime DBMS Fortran DML preprocessor 08/27/84
| _U_s_a_g_e
fdmlc <input file>
[-b [<output file>]]
[-l [<listing file>]]
[-z <FDML option>]
_D_e_s_c_r_i_p_t_i_o_n
'Fdmlc' serves as the Subsystem interface to the Prime DBMS
Fortran DML preprocessor (FDML). It examines its option
specifications and checks them for consistency, provides
Subsystem-compatible default file names for the listing and
output files as needed, and then produces a Primos FDML com-
mand and causes it to be executed.
The "-b" option is used to select the name of the file to
receive the output Fortran code from the preprocessor. If a
file name follows the option, then that file receives the
output. If the option is not specified, or no file name
follows it, a default filename is constructed from the input
filename by changing its suffix to ".df". For example, if
the input filename is "prog.f", the output file will be
"prog.df"; if the input filename is "foo", the output file
will be "foo.df".
The "-l" option is used to select the name of the file to
receive the listing generated by the preprocessor. If a
file name follows the option, then that file receives the
listing. If the "-l" option is specified without a file
name following it or is not specified, a default filename is
constructed from the input filename by changing its suffix
to ".dl". For example, if the input filename is "gonzo",
the listing file will be "gonzo.dl"; if the input filename
is "bar", the listing file will be "bar.dl".
The input filename must be a disk file name (conventionally
ending in ".f", ".f77", or ".ftn").
In summary, then, the default command line for compiling a
file named "file.f" is
fdmlc file.f -b file.df -l file.dl
which corresponds to the FDML command
fdml -i *>file.f -b *>file.df -l *>file.dl
_E_x_a_m_p_l_e_s
fdmlc file.f
fdmlc payroll.f -b b_payroll -l l_payroll
fdmlc funnyprog.f -z"-newopt"
fdmlc (1) - 1 - fdmlc (1)
fdmlc (1) --- interface to Prime DBMS Fortran DML preprocessor 08/27/84
_M_e_s_s_a_g_e_s
"Usage: fdmlc ..." for invalid option syntax.
"missing input file name" if no input filename could be
found.
"<name>: unreasonable input file name" if an attempt was
made to read from the null device or the line printer
spooler.
"<name>: unreasonable binary file name" if an attempt was
made to output on the terminal or line printer spooler.
"Sorry, the listing file must be a disk file" if the listing
file was directed to a device file.
_B_u_g_s
'Fdmlc' pays no attention to standard ports.
There is no way to avoid getting both a listing and output
file.
_S_e_e _A_l_s_o
| ddlc (1), f77c (1), fc (1), fsubc (1), ld (1), bind (3)
fdmlc (1) - 2 - fdmlc (1)
|
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.
*/
import core.simd: prefetch, void32, void16, storeUnaligned, loadUnaligned;
pragma(inline, true)
void mov16_u(void *dst, const void *src)
{
storeUnaligned(cast(void16*)(dst), loadUnaligned(cast(const void16*)(src)));
}
pragma(inline, true)
void mov32_u(void *dst, const void *src)
{
storeUnaligned(cast(void16*)(dst), loadUnaligned(cast(const void16*)(src)));
storeUnaligned(cast(void16*)(dst+16), loadUnaligned(cast(const void16*)(src+16)));
}
pragma(inline, true)
void mov64_u(void *dst, const void *src)
{
storeUnaligned(cast(void16*)(dst), loadUnaligned(cast(const void16*)(src)));
storeUnaligned(cast(void16*)(dst+16), loadUnaligned(cast(const void16*)(src+16)));
storeUnaligned(cast(void16*)(dst+32), loadUnaligned(cast(const void16*)(src+32)));
storeUnaligned(cast(void16*)(dst+48), loadUnaligned(cast(const void16*)(src+48)));
}
pragma(inline, true)
void mov128_a(void *dst, const void *src) {
// Aligned AVX.
*(cast(void32*)dst) = *(cast(const void32*)src);
*(cast(void32*)(dst+32)) = *(cast(const void32*)(src+32));
*(cast(void32*)(dst+64)) = *(cast(const void32*)(src+64));
*(cast(void32*)(dst+96)) = *(cast(const void32*)(src+96));
/*
With steps of 256
*(cast(void32*)(dst+128)) = *(cast(const void32*)(src+128));
*(cast(void32*)(dst+160)) = *(cast(const void32*)(src+160));
*(cast(void32*)(dst+192)) = *(cast(const void32*)(src+192));
*(cast(void32*)(dst+224)) = *(cast(const void32*)(src+224));
*/
/* With SSE
storeUnaligned(cast(void16*)(dst), loadUnaligned(cast(const void16*)(src)));
storeUnaligned(cast(void16*)(dst+16), loadUnaligned(cast(const void16*)(src+16)));
storeUnaligned(cast(void16*)(dst+32), loadUnaligned(cast(const void16*)(src+32)));
storeUnaligned(cast(void16*)(dst+48), loadUnaligned(cast(const void16*)(src+48)));
storeUnaligned(cast(void16*)(dst+64), loadUnaligned(cast(const void16*)(src+64)));
storeUnaligned(cast(void16*)(dst+80), loadUnaligned(cast(const void16*)(src+80)));
storeUnaligned(cast(void16*)(dst+96), loadUnaligned(cast(const void16*)(src+96)));
storeUnaligned(cast(void16*)(dst+112), loadUnaligned(cast(const void16*)(src+112)));
*/
}
void mov128_u(void *dst, const void *src) {
// Use AVX (there are no unaligned loads and stores for void32)
asm pure nothrow @nogc {
vmovdqu YMM0, [RSI];
vmovdqu YMM1, [RSI+0x20];
vmovdqu YMM2, [RSI+0x40];
vmovdqu YMM3, [RSI+0x60];
vmovdqu [RDI], YMM0;
vmovdqu [RDI+0x20], YMM1;
vmovdqu [RDI+0x40], YMM2;
vmovdqu [RDI+0x60], YMM3;
}
/* Use SSE
storeUnaligned(cast(void16*)(dst), loadUnaligned(cast(const void16*)(src)));
storeUnaligned(cast(void16*)(dst+16), loadUnaligned(cast(const void16*)(src+16)));
storeUnaligned(cast(void16*)(dst+32), loadUnaligned(cast(const void16*)(src+32)));
storeUnaligned(cast(void16*)(dst+48), loadUnaligned(cast(const void16*)(src+48)));
storeUnaligned(cast(void16*)(dst+64), loadUnaligned(cast(const void16*)(src+64)));
storeUnaligned(cast(void16*)(dst+80), loadUnaligned(cast(const void16*)(src+80)));
storeUnaligned(cast(void16*)(dst+96), loadUnaligned(cast(const void16*)(src+96)));
storeUnaligned(cast(void16*)(dst+112), loadUnaligned(cast(const void16*)(src+112)));
*/
}
// Could not be inlined
pragma(inline, false)
void mov128_up(void *dst, const void *src)
{
enum WriteFetch = false;
enum t0 = 3;
prefetch!(WriteFetch, t0)(src+0x1a0);
prefetch!(WriteFetch, t0)(src+0x260);
mov128_u(dst, src);
}
/// IMPORTANT(stefanos)
/// IMPORTANT(stefanos)
// I tried things in order, -- 1 --, -- 2 --, -- 3 --, -- 4 --.
// You can check in the comments what the changes were.
pragma(inline, false)
void Dopt(void *dst, const(void) *src, size_t n)
{
// Align to 32-byte boundary. Move what is needed.
int mod = cast(ulong)src & 0b11111;
if (mod) {
mov32_u(dst, src);
src += 32 - mod;
dst += 32 - mod;
n -= 32 - mod;
}
// On some benchmarks, only moving
// in 128 steps without prefetching was faster.
if (n >= 20000) {
for ( ; n >= 128; n -= 128) {
mov128_up(dst, src);
dst = dst + 128;
src = src + 128;
}
} else {
// -- 2 -- steps of 256
for ( ; n >= 128; n -= 128) {
mov128_a(dst, src);
dst = dst + 128;
src = src + 128;
}
}
// Copy remaining < 128 bytes.
if (n != 0) {
// With inline ASM
const(void) *a = src-128+n;
void *b = dst-128+n;
asm pure nothrow @nogc {
mov RSI, a;
mov RDI, b;
vmovdqu YMM0, [RSI];
vmovdqu YMM1, [RSI+0x20];
vmovdqu YMM2, [RSI+0x40];
vmovdqu YMM3, [RSI+0x60];
vmovdqu [RDI], YMM0;
vmovdqu [RDI+0x20], YMM1;
vmovdqu [RDI+0x40], YMM2;
vmovdqu [RDI+0x60], YMM3;
}
// Or with
//mov128_u(dst - 128 + n, src - 128 + n);
}
/* Other alternative to move the remaining bytes.
// 64-byte portions.
// <= 3 times loop.
for (size_t i = n / 64; i; --i) {
mov64_u(dst, src);
n -= 64;
dst = dst + 64;
src = src + 64;
}
// 16-byte portions.
// <= 3 times loop.
for (size_t i = n / 16; i; --i) {
mov16_u(dst, src);
n -= 16;
dst = dst + 16;
src = src + 16;
}
*/
}
|
D
|
/// a simple file stream, at the moment it builds on tango file interface
/// should probably be reimplemented directly on the OS (using aio or just libev?)
///
/// The functions typically used are outfileStr, outfileStrSync, outfileBin, outfileBinSync
///
/// author: fawzi
//
// Copyright 2008-2010 the blip developer group
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
module blip.io.FileStream;
import blip.Comp;
import blip.io.BasicIO;
import blip.io.StreamConverters;
import tango.io.device.File;
import tango.io.stream.DataFile;
import tango.io.device.Conduit;
import blip.container.GrowableArray;
import blip.math.random.Random;
enum WriteMode{
WriteClear, /// write on a clean file (reset if present)
WriteAppend,/// append to a file (create if needed)
WriteUnique, /// write on a new (not yet existing) file (fails if it exists)
WriteUniqued,/// write on a new (not yet existing) file (changes name until is is unique)
}
enum StreamOptions{
BinBase=0,
CharBase=1,
WcharBase=2,
DcharBase=3,
BaseMask=3,
Sync=1<<3,
}
private const File.Style WriteUnique = {File.Access.Write, File.Open.New, File.Share.Read};
/// general StreamStrWriter for the given file (normally you want strFile and binFile)
StreamStrWriter!(T) outfileStrWriterT(T)(string path,WriteMode wMode){
File.Style wStyle;
switch (wMode){
case WriteMode.WriteUniqued:
{
wStyle=WriteUnique;
size_t lastPoint=path.length,lastSlash=path.length;
foreach(i,c;path){
if (c=='.') lastPoint=i;
if (c=='/') lastSlash=i;
}
string path0=path;
string ext="";
if (lastSlash+1<lastPoint){
path0=path[0..lastPoint];
ext=path[lastPoint..$];
}
string newPath=path;
for (size_t i=0;i<20;++i){
try{
auto f=new DataFileOutput(newPath,wStyle);
return new StreamStrWriter!(T)(f);
} catch (Exception e) { // should catch only creation failures...
newPath=collectAppender(delegate void(CharSink s){
uint uniqueId;
rand(uniqueId);
dumper(s)(path0)("-")(uniqueId)(ext);
});
}
}
throw new Exception("could not create a unique path '"~path,__FILE__,__LINE__);
}
case WriteMode.WriteUnique:
wStyle=WriteUnique;
break;
case WriteMode.WriteAppend:
wStyle=File.WriteAppending;
break;
case WriteMode.WriteClear:
wStyle=File.WriteCreate;
break;
default:
assert(0);
}
auto f=new DataFileOutput(path,wStyle);
return new StreamStrWriter!(T)(f);
}
/// ditto
alias outfileStrWriterT!(char) outfileStrWriter;
/// a string (text) based file (add newline replacing support??)
BasicStreams.BasicStrStream!(T) outfileStrT(T)(string path,WriteMode wMode){
auto sw=outfileStrWriterT!(T)(path,wMode);
auto res=new BasicStreams.BasicStrStream!(T)(&sw.desc,&sw.writeStr,&sw.flush,&sw.close);
return res;
}
/// ditto
alias outfileStrT!(char) outfileStr;
/// a string (text) based file that syncronized access (add newline replacing support??)
BasicStreams.BasicStrStream!(T) outfileStrSyncT(T)(string path,WriteMode wMode){
auto sw=outfileStrWriterT!(T)(path,wMode);
auto res=new BasicStreams.BasicStrStream!(T)(&sw.desc,&sw.writeStrSync,&sw.flush,&sw.close);
return res;
}
/// ditto
alias outfileStrSyncT!(char) outfileStrSync;
/// basic methods to handle a binary file
StreamWriter outfileBinWriter(string path,WriteMode wMode){
File.Style wStyle;
switch (wMode){
case WriteMode.WriteUniqued:
{
wStyle=WriteUnique;
size_t lastPoint=path.length,lastSlash=path.length;
foreach(i,c;path){
if (c=='.') lastPoint=i;
if (c=='/') lastSlash=i;
}
string path0=path;
string ext="";
if (lastSlash+1<lastPoint){
path0=path[0..lastPoint];
ext=path[lastPoint..$];
}
string newPath=path;
for (size_t i=0;i<20;++i){
try{
auto f=new DataFileOutput(newPath,wStyle);
return new StreamWriter(f);
} catch (Exception e) { // should catch only creation failures...
newPath=collectAppender(delegate void(CharSink s){
uint uniqueId;
rand(uniqueId);
dumper(s)(path0)("-")(uniqueId)(ext);
});
}
}
throw new Exception("could not create a unique path '"~path,__FILE__,__LINE__);
}
case WriteMode.WriteUnique:
wStyle=WriteUnique;
break;
case WriteMode.WriteAppend:
wStyle=File.WriteAppending;
break;
case WriteMode.WriteClear:
wStyle=File.WriteCreate;
break;
default:
assert(0);
}
auto f=new DataFileOutput(path,wStyle);
return new StreamWriter(f);
}
/// binary stream that writes to a file
BasicStreams.BasicBinStream outfileBin(string path,WriteMode wMode){
auto sw=outfileBinWriter(path,wMode);
auto res=new BasicStreams.BasicBinStream(&sw.desc,&sw.writeExact,&sw.flush,&sw.close);
return res;
}
/// binary stream that writes to a file synchronizing writes
BasicStreams.BasicBinStream outfileBinSync(string path,WriteMode wMode){
auto sw=outfileBinWriter(path,wMode);
auto res=new BasicStreams.BasicBinStream(&sw.desc,&sw.writeExactSync,&sw.flush,&sw.close);
return res;
}
/// returns an output stream with the requested options
OutStreamI outfile(string path,WriteMode wMode,StreamOptions sOpt){
switch(sOpt){
case StreamOptions.BinBase:
return outfileBin(path,wMode);
case StreamOptions.CharBase:
return outfileStr(path,wMode);
case StreamOptions.WcharBase:
return outfileStrT!(wchar)(path,wMode);
case StreamOptions.DcharBase:
return outfileStrT!(dchar)(path,wMode);
case (StreamOptions.Sync|StreamOptions.BinBase):
return outfileBinSync(path,wMode);
case (StreamOptions.Sync|StreamOptions.CharBase):
return outfileStrSync(path,wMode);
case (StreamOptions.Sync|StreamOptions.WcharBase):
return outfileStrSyncT!(wchar)(path,wMode);
case (StreamOptions.Sync|StreamOptions.DcharBase):
return outfileStrSyncT!(dchar)(path,wMode);
default:
assert(0,"unexpected writeMode");
}
}
/// input file using string
Reader!(T) infileStrT(T)(string path){
return toReaderT!(char)(new DataFileInput(path));
}
alias infileStrT!(char) infileStr;
Reader!(void) infileBin(string path){
return toReaderT!(void)(new DataFileInput(path));
}
MultiInput infile(string path){
return new MultiInput(new DataFileInput(path));
}
|
D
|
/* -------------------- CZ CHANGELOG -------------------- */
/*
v1.00:
func int DIA_Orc_8551_Leitenent_DeadHead_condition - upraveny podmínky dialogu
*/
instance DIA_ORC_8551_LEITENENT_EXIT(C_Info)
{
npc = orc_8551_leitenent;
condition = dia_orc_8551_leitenent_exit_condition;
information = dia_orc_8551_leitenent_exit_info;
important = FALSE;
permanent = TRUE;
nr = 999;
description = Dialog_Ende;
};
func int dia_orc_8551_leitenent_exit_condition()
{
return TRUE;
};
func void dia_orc_8551_leitenent_exit_info()
{
AI_StopProcessInfos(self);
};
instance DIA_ORC_8551_LEITENENT_HELLO(C_Info)
{
npc = orc_8551_leitenent;
condition = dia_orc_8551_leitenent_hello_condition;
information = dia_orc_8551_leitenent_hello_info;
important = TRUE;
permanent = FALSE;
};
func int dia_orc_8551_leitenent_hello_condition()
{
return TRUE;
};
func void dia_orc_8551_leitenent_hello_info()
{
Snd_Play("ORC_AMBIENT_SHORT01");
AI_PlayAni(self,"T_FORGETIT");
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Info_18_01"); //Stát!...
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Info_18_02"); //Kam jako člověk jít? Člověk nikam!
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Hello_Info_18_03"); //Co je to za místo, že tam nemůžu?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Info_18_04"); //Hala vůdců. Hala Ur-Thralla - Velkého kmenového vůdce a silného vojáka.
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Hello_Info_18_05"); //Musím ale nutně mluvit s Ur-Thrallem, je to velmi důležité!
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Info_18_06"); //Co chce člověk Ur-Thrallovi?
MEETFARROK = TRUE;
Info_ClearChoices(dia_orc_8551_leitenent_hello);
Info_AddChoice(dia_orc_8551_leitenent_hello,"Nevím.",dia_orc_8551_leitenent_hello_dontknow);
if(MIS_KILLURTRALL == LOG_Running)
{
Info_AddChoice(dia_orc_8551_leitenent_hello,"Mám zprávu od Hag-Tara!",dia_orc_8551_leitenent_hello_hagtar);
};
if((MIS_ORCTEMPLE == LOG_Running) && (MIS_KILLURTRALL == FALSE))
{
Info_AddChoice(dia_orc_8551_leitenent_hello,"Je to ohledně Spáčova chrámu v údolí!",dia_orc_8551_leitenent_hello_hram);
};
};
func void dia_orc_8551_leitenent_hello_hram()
{
B_GivePlayerXP(100);
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Hello_Hram_18_01"); //Je to ohledně Spáčova chrámu v údolí. Patrně s ním máte nějaké potíže.
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Hello_Hram_18_02"); //Tak co? Pustíš mě dovnitř?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Hram_18_20"); //Člověk mluví o velkém Spáčově chrámu?! (přemýšlí) Ano, to by mohlo Ur-Thralla zajímat.
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Hram_18_21"); //Dovnitř tě ale stejně nepustím.
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Hello_Hram_18_22"); //Ale proč?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Hram_18_23"); //Skřeti ti nedůveřovat tolik aby tě Farrok pustil k velkému vůdci!
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Hram_18_24"); //Pokud se člověk přesto pokusí vztoupit do paláce - skřeti ho zabít! Ulu-Mulu nepomůže!
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Hello_Hram_18_25"); //Možná, ale nemohl bys mě přece jen pustit?
AI_PlayAni(self,"T_NO");
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Hram_18_26"); //Ne!
MIS_HeroOrcJoin = LOG_Running;
Log_CreateTopic(TOPIC_HeroOrcJoin,LOG_MISSION);
Log_SetTopicStatus(TOPIC_HeroOrcJoin,LOG_Running);
B_LogEntry(TOPIC_HeroOrcJoin,"Abych se dostal k Ur-Thrallovi, musím si získat respekt a důvěru skřetů.");
AI_StopProcessInfos(self);
};
func void dia_orc_8551_leitenent_hello_hagtar()
{
B_GivePlayerXP(100);
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Hello_HagTar_18_01"); //Mám zprávu od Hag-Tara!
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Hello_Hram_18_02"); //Tak co? Pustíš mě dovnitř?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_HagTar_18_03"); //Hmm...(přemýšlí) Já znát Hag-Tar - být velký bojivník.
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Hram_18_04"); //Dóbrá, člověk jít dál! Ale opatrně!
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Hram_18_05"); //Když rozhněvá Ur-Thralla - člověk zemřít. Ulu-Mulu nepomůže!
if(MIS_HeroOrcJoin == LOG_Running)
{
MIS_HeroOrcJoin = LOG_Success;
Log_SetTopicStatus(TOPIC_HeroOrcJoin,LOG_SUCCESS);
};
self.aivar[AIV_EnemyOverride] = FALSE;
PASSORKCHAMBER = TRUE;
AI_StopProcessInfos(self);
};
func void dia_orc_8551_leitenent_hello_dontknow()
{
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Hello_DontKnow_18_01"); //Nevím.
AI_PlayAni(self,"T_NO");
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_DontKnow_18_02"); //Tak jdi zpět!... (hrozivě)
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_DontKnow_18_03"); //Ani Ulu-Mulu ti nepomůže, když se pokusíš vniknout do haly vůdců!
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Hello_DontKnow_18_04"); //Nemohl bys mě přece jen pustit?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_DontKnow_18_05"); //Ne!
AI_StopProcessInfos(self);
};
instance DIA_ORC_8551_LEITENENT_HELLOTWO(C_Info)
{
npc = orc_8551_leitenent;
condition = dia_orc_8551_leitenent_hellotwo_condition;
information = dia_orc_8551_leitenent_hellotwo_info;
important = TRUE;
permanent = TRUE;
};
func int dia_orc_8551_leitenent_hellotwo_condition()
{
if(Npc_IsInState(self,ZS_Talk) && (MEETFARROK == TRUE) && (PASSORKCHAMBER == FALSE) && ((MIS_HeroOrcJoin == FALSE) || (MIS_KILLURTRALL == LOG_Running)))
{
return TRUE;
};
};
func void dia_orc_8551_leitenent_hellotwo_info()
{
Snd_Play("ORC_AMBIENT_SHORT01");
AI_PlayAni(self,"T_FORGETIT");
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_Info_18_01"); //Stát! (hrozivě) Nerozuměl jsi?
AI_Output(other,self,"DIA_Orc_8551_Leitenent_HelloTwo_Info_18_02"); //Pust mne za vůdcem!
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Hello_Info_18_06"); //Hmmm... A důvod?
Info_ClearChoices(dia_orc_8551_leitenent_hellotwo);
Info_AddChoice(dia_orc_8551_leitenent_hellotwo,"Nevím.",dia_orc_8551_leitenent_hellotwo_dontknow);
if(MIS_KILLURTRALL == LOG_Running)
{
Info_AddChoice(dia_orc_8551_leitenent_hellotwo,"Mám zprávu od Hag-Tara!",dia_orc_8551_leitenent_hellotwo_hagtar);
};
if((MIS_ORCTEMPLE == LOG_Running) && (MIS_KILLURTRALL == FALSE))
{
Info_AddChoice(dia_orc_8551_leitenent_hellotwo,"Je to ohledně Spáčova chrámu v údolí!",dia_orc_8551_leitenent_hellotwo_hram);
};
};
func void dia_orc_8551_leitenent_hellotwo_hram()
{
B_GivePlayerXP(100);
AI_Output(other,self,"DIA_Orc_8551_Leitenent_HelloTwo_Hram_18_01"); //Je to ohledně Spáčova chrámu v údolí. Patrně s ním máte nějaké potíže.
AI_Output(other,self,"DIA_Orc_8551_Leitenent_HelloTwo_Hram_18_02"); //Tak co? Pustíš mě dovnitř?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_Hram_18_20"); //Člověk mluví o velkém Spáčově chrámu?! (přemýšlí) Ano, to by mohlo Ur-Thralla zajímat.
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_Hram_18_21"); //Dovnitř tě ale stejně nepustím.
AI_Output(other,self,"DIA_Orc_8551_Leitenent_HelloTwo_Hram_18_22"); //Ale proč?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_Hram_18_23"); //Skřeti ti nedůveřovat tolik aby tě Farrok pustil k velkému vůdci!
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_Hram_18_24"); //Pokud se člověk přesto pokusí vztoupit do paláce - skřeti ho zabít! Ulu-Mulu nepomůže!
AI_Output(other,self,"DIA_Orc_8551_Leitenent_HelloTwo_Hram_18_25"); //Možná, ale nemohl bys mě přece jen pustit?
AI_PlayAni(self,"T_NO");
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_Hram_18_26"); //Ne!
MIS_HeroOrcJoin = LOG_Running;
Log_CreateTopic(TOPIC_HeroOrcJoin,LOG_MISSION);
Log_SetTopicStatus(TOPIC_HeroOrcJoin,LOG_Running);
B_LogEntry(TOPIC_HeroOrcJoin,"Abych se dostal k Ur-Thrallovi, musím si získat respekt a důvěru skřetů.");
AI_StopProcessInfos(self);
};
func void dia_orc_8551_leitenent_hellotwo_hagtar()
{
B_GivePlayerXP(100);
AI_Output(other,self,"DIA_Orc_8551_Leitenent_HelloTwo_HagTar_18_01"); //Mám zprávu od Hag-Tara!
AI_Output(other,self,"DIA_Orc_8551_Leitenent_HelloTwo_HagTar_18_02"); //Tak co? Pustíš mě dovnitř?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_HagTar_18_03"); //Hmm...(přemýšlí) Já znát Hag-Tar - být velký bojivník.
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_HagTar_18_04"); //Dóbrá, člověk jít dál! Ale opatrně!
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_HagTar_18_05"); //Když rozhněvá Ur-Thralla - člověk zemřít. Ulu-Mulu nepomůže!
if(MIS_HeroOrcJoin == LOG_Running)
{
MIS_HeroOrcJoin = LOG_Success;
Log_SetTopicStatus(TOPIC_HeroOrcJoin,LOG_SUCCESS);
};
self.aivar[AIV_EnemyOverride] = FALSE;
PASSORKCHAMBER = TRUE;
AI_StopProcessInfos(self);
};
func void dia_orc_8551_leitenent_hellotwo_dontknow()
{
AI_Output(other,self,"DIA_Orc_8551_Leitenent_HelloTwo_DontKnow_18_01"); //Nevím.
AI_PlayAni(self,"T_NO");
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_DontKnow_18_02"); //Tak jdi zpět!... (hrozivě)
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_DontKnow_18_03"); //Ani Ulu-Mulu ti nepomůže, když se pokusíš vniknout do haly vůdců!
AI_Output(other,self,"DIA_Orc_8551_Leitenent_HelloTwo_DontKnow_18_04"); //Nemohl bys mě přece jen pustit?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_DontKnow_18_05"); //Ne!
AI_StopProcessInfos(self);
};
instance DIA_Orc_8551_Leitenent_Respect(C_Info)
{
npc = orc_8551_leitenent;
condition = DIA_Orc_8551_Leitenent_Respect_condition;
information = DIA_Orc_8551_Leitenent_Respect_info;
permanent = TRUE;
description = "Jeké je mé uznání mezi skřety?";
};
func int DIA_Orc_8551_Leitenent_Respect_condition()
{
if((MIS_HeroOrcJoin == LOG_Running) && (PASSORKCHAMBER == FALSE))
{
return TRUE;
};
};
func void DIA_Orc_8551_Leitenent_Respect_Info()
{
var string concatText;
AI_Output(other,self,"DIA_Orc_8551_Leitenent_Respect_01_00"); //Jeké je mé uznání mezi skřety?
if(ORCRESPECT >= 80)
{
B_GivePlayerXP(2000);
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Respect_01_01"); //(úctivě) Farrok myslí, že si člověk vysloužil velký respekt mezi mými bratry.
MIS_HeroOrcJoin = LOG_Success;
Log_SetTopicStatus(TOPIC_HeroOrcJoin,LOG_SUCCESS);
B_LogEntry(TOPIC_HeroOrcJoin,"Získal jsem dostatečné uznání mezi skřety. Farrok mě teď pusti k Ur-Thrallovi.");
}
else if(ORCRESPECT >= 70)
{
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Respect_01_02"); //(Schválení) Farrok vidí, že pro mnoho z mých bratrů se člověk stal váženým.
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Respect_01_03"); //Stále to ale není dost abych tě pustil k vůdci.
}
else if(ORCRESPECT >= 50)
{
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Respect_01_04"); //(zamyšleně) Člověk musí udělat více, aby získal respekt mých bratrů.
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Respect_01_05"); //Teprve pak dokáže, že je hoden setkat se s Ur-Thrallem!
}
else if(ORCRESPECT >= 25)
{
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Respect_01_07"); //(s politováním) Bratři zatím nevideli člověk dost na to aby vědeli jestli mu mohou důvěřovat.
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Respect_01_08"); //Člověk se musí více projevit!
}
else
{
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Respect_01_10"); //(s opovržením) Farrok myslí, že vůbec žádné!
AI_Output(self,other,"DIA_Orc_8551_Leitenent_Respect_01_11"); //Člověk by měl jít za bratry a zeptat se co pomoct...
};
concatText = ConcatStrings("Uznání mezi skřety - ",IntToString(ORCRESPECT));
concatText = ConcatStrings(concatText,"/100");
AI_Print(concatText);
};
instance DIA_Orc_8551_Leitenent_RespectDone(C_Info)
{
npc = orc_8551_leitenent;
condition = DIA_Orc_8551_Leitenent_RespectDone_condition;
information = DIA_Orc_8551_Leitenent_RespectDone_info;
permanent = FALSE;
description = "Takže teď mě pustíš za Ur-Thrallem?";
};
func int DIA_Orc_8551_Leitenent_RespectDone_condition()
{
if((MIS_HeroOrcJoin == LOG_Success) && (PASSORKCHAMBER == FALSE))
{
return TRUE;
};
};
func void DIA_Orc_8551_Leitenent_RespectDone_Info()
{
AI_Output(other,self,"DIA_Orc_8551_Leitenent_RespectDone_18_01"); //Takže teď mě pustíš za Ur-Thrallem?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_HagTar_18_04"); //Dobře, člověk může jít. Ale být velmi opatrný!
AI_Output(self,other,"DIA_Orc_8551_Leitenent_HelloTwo_HagTar_18_05"); //Když rozhněvá Ur-Thralla - člověk zemřít. Ulu-Mulu nepomůže!
if(MIS_HeroOrcJoin == LOG_Running)
{
MIS_HeroOrcJoin = LOG_Success;
Log_SetTopicStatus(TOPIC_HeroOrcJoin,LOG_SUCCESS);
};
self.aivar[AIV_EnemyOverride] = FALSE;
PASSORKCHAMBER = TRUE;
AI_StopProcessInfos(self);
};
instance DIA_Orc_8551_Leitenent_DeadHead(C_Info)
{
npc = orc_8551_leitenent;
condition = DIA_Orc_8551_Leitenent_DeadHead_condition;
information = DIA_Orc_8551_Leitenent_DeadHead_info;
permanent = FALSE;
description = "A ty sám pro mě nemáš nějakou práci?";
};
func int DIA_Orc_8551_Leitenent_DeadHead_condition()
{
// if((MIS_HeroOrcJoin == LOG_Running) && (PASSORKCHAMBER == FALSE))
if((MEETFARROK == TRUE) && (PASSORKCHAMBER == FALSE))
{
return TRUE;
};
};
func void DIA_Orc_8551_Leitenent_DeadHead_Info()
{
AI_Output(other,self,"DIA_Orc_8551_Leitenent_DeadHead_01_01"); //A ty sám pro mě nemáš nějakou práci?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_DeadHead_01_02"); //Člověk chce získat respekt Farrok? (uznale) No dobře, dát mu úkol.
AI_Output(self,other,"DIA_Orc_8551_Leitenent_DeadHead_01_03"); //Člověk přinést trofej od nepřítele skřetů. Jedine tak získat uznání.
AI_Output(other,self,"DIA_Orc_8551_Leitenent_DeadHead_01_04"); //A co to má být?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_DeadHead_01_05"); //(zamyšleně) Například hlava válečníka lidí! Nebo ucho...
AI_Output(self,other,"DIA_Orc_8551_Leitenent_DeadHead_01_06"); //Ale musí být čerstvé... Nenosit pro Farrok shnilý kus masa!
AI_Output(other,self,"DIA_Orc_8551_Leitenent_DeadHead_01_07"); //A neco méně krvelačného?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_DeadHead_01_08"); //Člověk to nedokáže, přesto se ptá.
AI_Output(self,other,"DIA_Orc_8551_Leitenent_DeadHead_01_09"); //Rozhodnout sám... jestli chtít respekt Farrok nebo ne!
AI_Output(other,self,"DIA_Orc_8551_Leitenent_DeadHead_01_10"); //Budu o tom přemýšlet.
MIS_DeadHead = LOG_Running;
Log_CreateTopic(TOPIC_DeadHead,LOG_MISSION);
Log_SetTopicStatus(TOPIC_DeadHead,LOG_Running);
B_LogEntry(TOPIC_DeadHead,"Farrok chce, abych mu přinesl nepřátelskou trofej. Vhodná je prý hlava jednoho z vojáků lidí. Hmmm, to co žádá vůbec není vtipné!");
AI_StopProcessInfos(self);
};
instance DIA_Orc_8551_Leitenent_DeadHeadDone(C_Info)
{
npc = orc_8551_leitenent;
condition = DIA_Orc_8551_Leitenent_DeadHeadDone_condition;
information = DIA_Orc_8551_Leitenent_DeadHeadDone_info;
permanent = FALSE;
description = "Tady je tvá trofej!";
};
func int DIA_Orc_8551_Leitenent_DeadHeadDone_condition()
{
if((MIS_DeadHead == LOG_Running) && (Npc_HasItems(other,ItMi_DeadManHead) >= 1))
{
return TRUE;
};
};
func void DIA_Orc_8551_Leitenent_DeadHeadDone_Info()
{
AI_Output(other,self,"DIA_Orc_8551_Leitenent_DeadHeadDone_01_01"); //Tady je tvá trofej!
B_GiveInvItems(other,self,ItMi_DeadManHead,1);
Npc_RemoveInvItems(self,ItMi_DeadManHead,1);
AI_Output(self,other,"DIA_Orc_8551_Leitenent_DeadHeadDone_01_02"); //Mmm... (uznale) Dobře! Vypadá to že člověk hlavu uříznul nedávno.
AI_Output(other,self,"DIA_Orc_8551_Leitenent_DeadHeadDone_01_03"); //Takhle jsi to chtěl?
AI_Output(self,other,"DIA_Orc_8551_Leitenent_DeadHeadDone_01_04"); //Ano... Teď Farrok respektovat člověk!
AI_Output(self,other,"DIA_Orc_8551_Leitenent_DeadHeadDone_01_05"); //Vidět, že nemá rád lidi stejně jako Farrok.
ORCRESPECT = ORCRESPECT + 10;
if(MIS_HeroOrcJoin == LOG_Running)
{
AI_Print("Uznání mezi skřety + 10");
};
MIS_DeadHead = LOG_Success;
Log_SetTopicStatus(TOPIC_DeadHead,LOG_Success);
B_LogEntry(TOPIC_DeadHead,"Přinesl jsem Farrokovi hlavu jednoho z dezertérů. Myslím, že je docela spokojen.");
AI_StopProcessInfos(self);
};
|
D
|
/Users/sean/Documents/GitHub/r-gen/r-gen-macro/target/package/r-gen-macro-0.1.0/target/debug/deps/either-91ab0839b8b57cb9.rmeta: /Users/sean/.cargo/registry/src/github.com-1ecc6299db9ec823/either-1.6.1/src/lib.rs
/Users/sean/Documents/GitHub/r-gen/r-gen-macro/target/package/r-gen-macro-0.1.0/target/debug/deps/libeither-91ab0839b8b57cb9.rlib: /Users/sean/.cargo/registry/src/github.com-1ecc6299db9ec823/either-1.6.1/src/lib.rs
/Users/sean/Documents/GitHub/r-gen/r-gen-macro/target/package/r-gen-macro-0.1.0/target/debug/deps/either-91ab0839b8b57cb9.d: /Users/sean/.cargo/registry/src/github.com-1ecc6299db9ec823/either-1.6.1/src/lib.rs
/Users/sean/.cargo/registry/src/github.com-1ecc6299db9ec823/either-1.6.1/src/lib.rs:
|
D
|
module allegro5.fixed;
import allegro5.error;
version (Tango)
{
import tango.stdc.errno;
}
else
{
version(D_Version2)
{
import core.stdc.errno;
}
else
{
import std.c.stdlib;
// Phobos doesn't define EDOM
enum { EDOM = 33 }
}
}
extern (C)
{
alias int al_fixed;
const al_fixed al_fixtorad_r = cast(al_fixed)1608;
const al_fixed al_radtofix_r = cast(al_fixed)2670177;
al_fixed al_fixsqrt(al_fixed x);
al_fixed al_fixhypot(al_fixed x, al_fixed y);
al_fixed al_fixatan(al_fixed x);
al_fixed al_fixatan2(al_fixed y, al_fixed x);
al_fixed al_ftofix(double x)
{
if (x > 32767.0)
{
al_set_errno(ERANGE);
return 0x7FFFFFFF;
}
if (x < -32767.0)
{
al_set_errno(ERANGE);
return -0x7FFFFFFF;
}
return cast(al_fixed)(x * 65536.0 + (x < 0 ? -0.5 : 0.5));
}
double al_fixtof(al_fixed x)
{
return cast(double)x / 65536.0;
}
al_fixed al_fixadd(al_fixed x, al_fixed y)
{
al_fixed result = x + y;
if (result >= 0)
{
if ((x < 0) && (y < 0))
{
al_set_errno(ERANGE);
return -0x7FFFFFFF;
}
else
return result;
}
else {
if ((x > 0) && (y > 0))
{
al_set_errno(ERANGE);
return 0x7FFFFFFF;
}
else
return result;
}
}
al_fixed al_fixsub(al_fixed x, al_fixed y)
{
al_fixed result = x - y;
if (result >= 0)
{
if ((x < 0) && (y > 0))
{
al_set_errno(ERANGE);
return -0x7FFFFFFF;
}
else
return result;
}
else
{
if ((x > 0) && (y < 0))
{
al_set_errno(ERANGE);
return 0x7FFFFFFF;
}
else
return result;
}
}
al_fixed al_fixmul(al_fixed x, al_fixed y)
{
long lx = x;
long ly = y;
long lres = (lx*ly);
if (lres > 0x7FFFFFFF0000L)
{
al_set_errno(ERANGE);
return 0x7FFFFFFF;
}
else if (lres < -0x7FFFFFFF0000L)
{
al_set_errno(ERANGE);
return 0x80000000;
}
else
{
int res = cast(int)(lres >> 16);
return cast(al_fixed)res;
}
}
al_fixed al_fixdiv(al_fixed x, al_fixed y)
{
long lres = x;
if (y == 0)
{
al_set_errno(ERANGE);
return (x < 0) ? -0x7FFFFFFF : 0x7FFFFFFF;
}
lres <<= 16;
lres /= y;
if (lres > 0x7FFFFFFF)
{
al_set_errno(ERANGE);
return 0x7FFFFFFF;
}
else if (lres < -0x7FFFFFFF)
{
al_set_errno(ERANGE);
return 0x80000000;
}
else
{
return cast(al_fixed)(lres);
}
}
int al_fixfloor(al_fixed x)
{
/* (x >> 16) is not portable */
if (x >= 0)
return (x >> 16);
else
return ~((~x) >> 16);
}
int al_fixceil(al_fixed x)
{
if (x > 0x7FFF0000)
{
al_set_errno(ERANGE);
return 0x7FFF;
}
return al_fixfloor(cast(al_fixed)(x + 0xFFFF));
}
al_fixed al_itofix(int x)
{
return cast(al_fixed)(x << 16);
}
int al_fixtoi(al_fixed x)
{
return al_fixfloor(x) + ((x & 0x8000) >> 15);
}
al_fixed al_fixcos(al_fixed x)
{
return _al_fix_cos_tbl[((x + 0x4000) >> 15) & 0x1FF];
}
al_fixed al_fixsin(al_fixed x)
{
return _al_fix_cos_tbl[((x - 0x400000 + 0x4000) >> 15) & 0x1FF];
}
al_fixed al_fixtan(al_fixed x)
{
return _al_fix_tan_tbl[((x + 0x4000) >> 15) & 0xFF];
}
al_fixed al_fixacos(al_fixed x)
{
if ((x < -65536) || (x > 65536))
{
al_set_errno(EDOM);
return 0;
}
return _al_fix_acos_tbl[(x+65536+127)>>8];
}
al_fixed al_fixasin(al_fixed x)
{
if ((x < -65536) || (x > 65536))
{
al_set_errno(EDOM);
return 0;
}
return cast(al_fixed)(0x00400000 - _al_fix_acos_tbl[(x+65536+127)>>8]);
}
private const(al_fixed[512]) _al_fix_cos_tbl =
[
/* precalculated fixed point (16.16) cosines for a full circle (0-255) */
65536, 65531, 65516, 65492, 65457, 65413, 65358, 65294,
65220, 65137, 65043, 64940, 64827, 64704, 64571, 64429,
64277, 64115, 63944, 63763, 63572, 63372, 63162, 62943,
62714, 62476, 62228, 61971, 61705, 61429, 61145, 60851,
60547, 60235, 59914, 59583, 59244, 58896, 58538, 58172,
57798, 57414, 57022, 56621, 56212, 55794, 55368, 54934,
54491, 54040, 53581, 53114, 52639, 52156, 51665, 51166,
50660, 50146, 49624, 49095, 48559, 48015, 47464, 46906,
46341, 45769, 45190, 44604, 44011, 43412, 42806, 42194,
41576, 40951, 40320, 39683, 39040, 38391, 37736, 37076,
36410, 35738, 35062, 34380, 33692, 33000, 32303, 31600,
30893, 30182, 29466, 28745, 28020, 27291, 26558, 25821,
25080, 24335, 23586, 22834, 22078, 21320, 20557, 19792,
19024, 18253, 17479, 16703, 15924, 15143, 14359, 13573,
12785, 11996, 11204, 10411, 9616, 8820, 8022, 7224,
6424, 5623, 4821, 4019, 3216, 2412, 1608, 804,
0, -804, -1608, -2412, -3216, -4019, -4821, -5623,
-6424, -7224, -8022, -8820, -9616, -10411, -11204, -11996,
-12785, -13573, -14359, -15143, -15924, -16703, -17479, -18253,
-19024, -19792, -20557, -21320, -22078, -22834, -23586, -24335,
-25080, -25821, -26558, -27291, -28020, -28745, -29466, -30182,
-30893, -31600, -32303, -33000, -33692, -34380, -35062, -35738,
-36410, -37076, -37736, -38391, -39040, -39683, -40320, -40951,
-41576, -42194, -42806, -43412, -44011, -44604, -45190, -45769,
-46341, -46906, -47464, -48015, -48559, -49095, -49624, -50146,
-50660, -51166, -51665, -52156, -52639, -53114, -53581, -54040,
-54491, -54934, -55368, -55794, -56212, -56621, -57022, -57414,
-57798, -58172, -58538, -58896, -59244, -59583, -59914, -60235,
-60547, -60851, -61145, -61429, -61705, -61971, -62228, -62476,
-62714, -62943, -63162, -63372, -63572, -63763, -63944, -64115,
-64277, -64429, -64571, -64704, -64827, -64940, -65043, -65137,
-65220, -65294, -65358, -65413, -65457, -65492, -65516, -65531,
-65536, -65531, -65516, -65492, -65457, -65413, -65358, -65294,
-65220, -65137, -65043, -64940, -64827, -64704, -64571, -64429,
-64277, -64115, -63944, -63763, -63572, -63372, -63162, -62943,
-62714, -62476, -62228, -61971, -61705, -61429, -61145, -60851,
-60547, -60235, -59914, -59583, -59244, -58896, -58538, -58172,
-57798, -57414, -57022, -56621, -56212, -55794, -55368, -54934,
-54491, -54040, -53581, -53114, -52639, -52156, -51665, -51166,
-50660, -50146, -49624, -49095, -48559, -48015, -47464, -46906,
-46341, -45769, -45190, -44604, -44011, -43412, -42806, -42194,
-41576, -40951, -40320, -39683, -39040, -38391, -37736, -37076,
-36410, -35738, -35062, -34380, -33692, -33000, -32303, -31600,
-30893, -30182, -29466, -28745, -28020, -27291, -26558, -25821,
-25080, -24335, -23586, -22834, -22078, -21320, -20557, -19792,
-19024, -18253, -17479, -16703, -15924, -15143, -14359, -13573,
-12785, -11996, -11204, -10411, -9616, -8820, -8022, -7224,
-6424, -5623, -4821, -4019, -3216, -2412, -1608, -804,
0, 804, 1608, 2412, 3216, 4019, 4821, 5623,
6424, 7224, 8022, 8820, 9616, 10411, 11204, 11996,
12785, 13573, 14359, 15143, 15924, 16703, 17479, 18253,
19024, 19792, 20557, 21320, 22078, 22834, 23586, 24335,
25080, 25821, 26558, 27291, 28020, 28745, 29466, 30182,
30893, 31600, 32303, 33000, 33692, 34380, 35062, 35738,
36410, 37076, 37736, 38391, 39040, 39683, 40320, 40951,
41576, 42194, 42806, 43412, 44011, 44604, 45190, 45769,
46341, 46906, 47464, 48015, 48559, 49095, 49624, 50146,
50660, 51166, 51665, 52156, 52639, 53114, 53581, 54040,
54491, 54934, 55368, 55794, 56212, 56621, 57022, 57414,
57798, 58172, 58538, 58896, 59244, 59583, 59914, 60235,
60547, 60851, 61145, 61429, 61705, 61971, 62228, 62476,
62714, 62943, 63162, 63372, 63572, 63763, 63944, 64115,
64277, 64429, 64571, 64704, 64827, 64940, 65043, 65137,
65220, 65294, 65358, 65413, 65457, 65492, 65516, 65531L
];
private const(al_fixed[256]) _al_fix_tan_tbl =
[
/* precalculated fixed point (16.16) tangents for a half circle (0-127) */
0, 804, 1609, 2414, 3220, 4026, 4834, 5644,
6455, 7268, 8083, 8901, 9721, 10545, 11372, 12202,
13036, 13874, 14717, 15564, 16416, 17273, 18136, 19005,
19880, 20762, 21650, 22546, 23449, 24360, 25280, 26208,
27146, 28093, 29050, 30018, 30996, 31986, 32988, 34002,
35030, 36071, 37126, 38196, 39281, 40382, 41500, 42636,
43790, 44963, 46156, 47369, 48605, 49863, 51145, 52451,
53784, 55144, 56532, 57950, 59398, 60880, 62395, 63947,
65536, 67165, 68835, 70548, 72308, 74116, 75974, 77887,
79856, 81885, 83977, 86135, 88365, 90670, 93054, 95523,
98082, 100736, 103493, 106358, 109340, 112447, 115687, 119071,
122609, 126314, 130198, 134276, 138564, 143081, 147847, 152884,
158218, 163878, 169896, 176309, 183161, 190499, 198380, 206870,
216043, 225990, 236817, 248648, 261634, 275959, 291845, 309568,
329472, 351993, 377693, 407305, 441808, 482534, 531352, 590958,
665398, 761030, 888450, 1066730,1334016,1779314,2669641,5340086,
-2147483647,-5340086,-2669641,-1779314,-1334016,-1066730,-888450,-761030,
-665398,-590958,-531352,-482534,-441808,-407305,-377693,-351993,
-329472,-309568,-291845,-275959,-261634,-248648,-236817,-225990,
-216043,-206870,-198380,-190499,-183161,-176309,-169896,-163878,
-158218,-152884,-147847,-143081,-138564,-134276,-130198,-126314,
-122609,-119071,-115687,-112447,-109340,-106358,-103493,-100736,
-98082, -95523, -93054, -90670, -88365, -86135, -83977, -81885,
-79856, -77887, -75974, -74116, -72308, -70548, -68835, -67165,
-65536, -63947, -62395, -60880, -59398, -57950, -56532, -55144,
-53784, -52451, -51145, -49863, -48605, -47369, -46156, -44963,
-43790, -42636, -41500, -40382, -39281, -38196, -37126, -36071,
-35030, -34002, -32988, -31986, -30996, -30018, -29050, -28093,
-27146, -26208, -25280, -24360, -23449, -22546, -21650, -20762,
-19880, -19005, -18136, -17273, -16416, -15564, -14717, -13874,
-13036, -12202, -11372, -10545, -9721, -8901, -8083, -7268,
-6455, -5644, -4834, -4026, -3220, -2414, -1609, -804L
];
private const(al_fixed[513]) _al_fix_acos_tbl =
[
/* precalculated fixed point (16.16) inverse cosines (-1 to 1) */
0x800000, 0x7C65C7, 0x7AE75A, 0x79C19E, 0x78C9BE, 0x77EF25, 0x772953, 0x76733A,
0x75C991, 0x752A10, 0x74930C, 0x740345, 0x7379C1, 0x72F5BA, 0x72768F, 0x71FBBC,
0x7184D3, 0x711174, 0x70A152, 0x703426, 0x6FC9B5, 0x6F61C9, 0x6EFC36, 0x6E98D1,
0x6E3777, 0x6DD805, 0x6D7A5E, 0x6D1E68, 0x6CC40B, 0x6C6B2F, 0x6C13C1, 0x6BBDAF,
0x6B68E6, 0x6B1558, 0x6AC2F5, 0x6A71B1, 0x6A217E, 0x69D251, 0x698420, 0x6936DF,
0x68EA85, 0x689F0A, 0x685465, 0x680A8D, 0x67C17D, 0x67792C, 0x673194, 0x66EAAF,
0x66A476, 0x665EE5, 0x6619F5, 0x65D5A2, 0x6591E7, 0x654EBF, 0x650C26, 0x64CA18,
0x648890, 0x64478C, 0x640706, 0x63C6FC, 0x63876B, 0x63484F, 0x6309A5, 0x62CB6A,
0x628D9C, 0x625037, 0x621339, 0x61D69F, 0x619A68, 0x615E90, 0x612316, 0x60E7F7,
0x60AD31, 0x6072C3, 0x6038A9, 0x5FFEE3, 0x5FC56E, 0x5F8C49, 0x5F5372, 0x5F1AE7,
0x5EE2A7, 0x5EAAB0, 0x5E7301, 0x5E3B98, 0x5E0473, 0x5DCD92, 0x5D96F3, 0x5D6095,
0x5D2A76, 0x5CF496, 0x5CBEF2, 0x5C898B, 0x5C545E, 0x5C1F6B, 0x5BEAB0, 0x5BB62D,
0x5B81E1, 0x5B4DCA, 0x5B19E7, 0x5AE638, 0x5AB2BC, 0x5A7F72, 0x5A4C59, 0x5A1970,
0x59E6B6, 0x59B42A, 0x5981CC, 0x594F9B, 0x591D96, 0x58EBBD, 0x58BA0E, 0x588889,
0x58572D, 0x5825FA, 0x57F4EE, 0x57C40A, 0x57934D, 0x5762B5, 0x573243, 0x5701F5,
0x56D1CC, 0x56A1C6, 0x5671E4, 0x564224, 0x561285, 0x55E309, 0x55B3AD, 0x558471,
0x555555, 0x552659, 0x54F77B, 0x54C8BC, 0x549A1B, 0x546B98, 0x543D31, 0x540EE7,
0x53E0B9, 0x53B2A7, 0x5384B0, 0x5356D4, 0x532912, 0x52FB6B, 0x52CDDD, 0x52A068,
0x52730C, 0x5245C9, 0x52189E, 0x51EB8B, 0x51BE8F, 0x5191AA, 0x5164DC, 0x513825,
0x510B83, 0x50DEF7, 0x50B280, 0x50861F, 0x5059D2, 0x502D99, 0x500175, 0x4FD564,
0x4FA967, 0x4F7D7D, 0x4F51A6, 0x4F25E2, 0x4EFA30, 0x4ECE90, 0x4EA301, 0x4E7784,
0x4E4C19, 0x4E20BE, 0x4DF574, 0x4DCA3A, 0x4D9F10, 0x4D73F6, 0x4D48EC, 0x4D1DF1,
0x4CF305, 0x4CC829, 0x4C9D5A, 0x4C729A, 0x4C47E9, 0x4C1D45, 0x4BF2AE, 0x4BC826,
0x4B9DAA, 0x4B733B, 0x4B48D9, 0x4B1E84, 0x4AF43B, 0x4AC9FE, 0x4A9FCD, 0x4A75A7,
0x4A4B8D, 0x4A217E, 0x49F77A, 0x49CD81, 0x49A393, 0x4979AF, 0x494FD5, 0x492605,
0x48FC3F, 0x48D282, 0x48A8CF, 0x487F25, 0x485584, 0x482BEC, 0x48025D, 0x47D8D6,
0x47AF57, 0x4785E0, 0x475C72, 0x47330A, 0x4709AB, 0x46E052, 0x46B701, 0x468DB7,
0x466474, 0x463B37, 0x461201, 0x45E8D0, 0x45BFA6, 0x459682, 0x456D64, 0x45444B,
0x451B37, 0x44F229, 0x44C920, 0x44A01C, 0x44771C, 0x444E21, 0x44252A, 0x43FC38,
0x43D349, 0x43AA5F, 0x438178, 0x435894, 0x432FB4, 0x4306D8, 0x42DDFE, 0x42B527,
0x428C53, 0x426381, 0x423AB2, 0x4211E5, 0x41E91A, 0x41C051, 0x41978A, 0x416EC5,
0x414601, 0x411D3E, 0x40F47C, 0x40CBBB, 0x40A2FB, 0x407A3C, 0x40517D, 0x4028BE,
0x400000, 0x3FD742, 0x3FAE83, 0x3F85C4, 0x3F5D05, 0x3F3445, 0x3F0B84, 0x3EE2C2,
0x3EB9FF, 0x3E913B, 0x3E6876, 0x3E3FAF, 0x3E16E6, 0x3DEE1B, 0x3DC54E, 0x3D9C7F,
0x3D73AD, 0x3D4AD9, 0x3D2202, 0x3CF928, 0x3CD04C, 0x3CA76C, 0x3C7E88, 0x3C55A1,
0x3C2CB7, 0x3C03C8, 0x3BDAD6, 0x3BB1DF, 0x3B88E4, 0x3B5FE4, 0x3B36E0, 0x3B0DD7,
0x3AE4C9, 0x3ABBB5, 0x3A929C, 0x3A697E, 0x3A405A, 0x3A1730, 0x39EDFF, 0x39C4C9,
0x399B8C, 0x397249, 0x3948FF, 0x391FAE, 0x38F655, 0x38CCF6, 0x38A38E, 0x387A20,
0x3850A9, 0x38272A, 0x37FDA3, 0x37D414, 0x37AA7C, 0x3780DB, 0x375731, 0x372D7E,
0x3703C1, 0x36D9FB, 0x36B02B, 0x368651, 0x365C6D, 0x36327F, 0x360886, 0x35DE82,
0x35B473, 0x358A59, 0x356033, 0x353602, 0x350BC5, 0x34E17C, 0x34B727, 0x348CC5,
0x346256, 0x3437DA, 0x340D52, 0x33E2BB, 0x33B817, 0x338D66, 0x3362A6, 0x3337D7,
0x330CFB, 0x32E20F, 0x32B714, 0x328C0A, 0x3260F0, 0x3235C6, 0x320A8C, 0x31DF42,
0x31B3E7, 0x31887C, 0x315CFF, 0x313170, 0x3105D0, 0x30DA1E, 0x30AE5A, 0x308283,
0x305699, 0x302A9C, 0x2FFE8B, 0x2FD267, 0x2FA62E, 0x2F79E1, 0x2F4D80, 0x2F2109,
0x2EF47D, 0x2EC7DB, 0x2E9B24, 0x2E6E56, 0x2E4171, 0x2E1475, 0x2DE762, 0x2DBA37,
0x2D8CF4, 0x2D5F98, 0x2D3223, 0x2D0495, 0x2CD6EE, 0x2CA92C, 0x2C7B50, 0x2C4D59,
0x2C1F47, 0x2BF119, 0x2BC2CF, 0x2B9468, 0x2B65E5, 0x2B3744, 0x2B0885, 0x2AD9A7,
0x2AAAAB, 0x2A7B8F, 0x2A4C53, 0x2A1CF7, 0x29ED7B, 0x29BDDC, 0x298E1C, 0x295E3A,
0x292E34, 0x28FE0B, 0x28CDBD, 0x289D4B, 0x286CB3, 0x283BF6, 0x280B12, 0x27DA06,
0x27A8D3, 0x277777, 0x2745F2, 0x271443, 0x26E26A, 0x26B065, 0x267E34, 0x264BD6,
0x26194A, 0x25E690, 0x25B3A7, 0x25808E, 0x254D44, 0x2519C8, 0x24E619, 0x24B236,
0x247E1F, 0x2449D3, 0x241550, 0x23E095, 0x23ABA2, 0x237675, 0x23410E, 0x230B6A,
0x22D58A, 0x229F6B, 0x22690D, 0x22326E, 0x21FB8D, 0x21C468, 0x218CFF, 0x215550,
0x211D59, 0x20E519, 0x20AC8E, 0x2073B7, 0x203A92, 0x20011D, 0x1FC757, 0x1F8D3D,
0x1F52CF, 0x1F1809, 0x1EDCEA, 0x1EA170, 0x1E6598, 0x1E2961, 0x1DECC7, 0x1DAFC9,
0x1D7264, 0x1D3496, 0x1CF65B, 0x1CB7B1, 0x1C7895, 0x1C3904, 0x1BF8FA, 0x1BB874,
0x1B7770, 0x1B35E8, 0x1AF3DA, 0x1AB141, 0x1A6E19, 0x1A2A5E, 0x19E60B, 0x19A11B,
0x195B8A, 0x191551, 0x18CE6C, 0x1886D4, 0x183E83, 0x17F573, 0x17AB9B, 0x1760F6,
0x17157B, 0x16C921, 0x167BE0, 0x162DAF, 0x15DE82, 0x158E4F, 0x153D0B, 0x14EAA8,
0x14971A, 0x144251, 0x13EC3F, 0x1394D1, 0x133BF5, 0x12E198, 0x1285A2, 0x1227FB,
0x11C889, 0x11672F, 0x1103CA, 0x109E37, 0x10364B, 0xFCBDA, 0xF5EAE, 0xEEE8C,
0xE7B2D, 0xE0444, 0xD8971, 0xD0A46, 0xC863F, 0xBFCBB, 0xB6CF4, 0xAD5F0,
0xA366F, 0x98CC6, 0x8D6AD, 0x810DB, 0x73642, 0x63E62, 0x518A6, 0x39A39,
0x0L
];
}
|
D
|
/Users/kawaharakeisuke/Desktop/OneDayCalendarApp/DerivedData/OneDayCalendarApp/Build/Intermediates/OneDayCalendarApp.build/Debug-iphonesimulator/OneDayCalendarApp.build/Objects-normal/x86_64/AppDelegate.o : /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/_SettingTableViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/MySentenceData.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/MyTableViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/LikedTableViewCell.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/TableViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/SettingViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/AppDelegate.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/DataViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/FirstViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
/Users/kawaharakeisuke/Desktop/OneDayCalendarApp/DerivedData/OneDayCalendarApp/Build/Intermediates/OneDayCalendarApp.build/Debug-iphonesimulator/OneDayCalendarApp.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/_SettingTableViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/MySentenceData.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/MyTableViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/LikedTableViewCell.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/TableViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/SettingViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/AppDelegate.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/DataViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/FirstViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
/Users/kawaharakeisuke/Desktop/OneDayCalendarApp/DerivedData/OneDayCalendarApp/Build/Intermediates/OneDayCalendarApp.build/Debug-iphonesimulator/OneDayCalendarApp.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/_SettingTableViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/MySentenceData.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/MyTableViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/LikedTableViewCell.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/TableViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/SettingViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/AppDelegate.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/DataViewController.swift /Users/kawaharakeisuke/Desktop/OneDayCalendarApp/OneDayCalendarApp/FirstViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
|
D
|
/root/Documents/Dev/ProgrammingPractice/Rust/hello-rocket/target/debug/deps/safemem-3b2e37650a09ce29.rmeta: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/safemem-0.3.3/src/lib.rs
/root/Documents/Dev/ProgrammingPractice/Rust/hello-rocket/target/debug/deps/libsafemem-3b2e37650a09ce29.rlib: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/safemem-0.3.3/src/lib.rs
/root/Documents/Dev/ProgrammingPractice/Rust/hello-rocket/target/debug/deps/safemem-3b2e37650a09ce29.d: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/safemem-0.3.3/src/lib.rs
/root/.cargo/registry/src/github.com-1ecc6299db9ec823/safemem-0.3.3/src/lib.rs:
|
D
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.