code
stringlengths
3
10M
language
stringclasses
31 values
/* Copyright (c) 2016-2017 Eugene Wissner 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. */ /** * Copyright: Eugene Wissner 2016-2017. * License: $(LINK2 boost.org/LICENSE_1_0.txt, Boost License 1.0). * Authors: Eugene Wissner */ module dlib.async.event.selector; version (Posix): import dlib.async.loop; import dlib.async.transport; import dlib.async.watcher; import dlib.container.buffer; import dlib.memory; import dlib.memory.mmappool; import dlib.network.socket; import core.sys.posix.netinet.in_; import core.stdc.errno; /** * Transport for stream sockets. */ class SelectorStreamTransport : StreamTransport { private ConnectedSocket socket_; /// Input buffer. package WriteBuffer input; private SelectorLoop loop; /// Received notification that the underlying socket is write-ready. package bool writeReady; /** * Params: * loop = Event loop. * socket = Socket. */ this(SelectorLoop loop, ConnectedSocket socket) { socket_ = socket; this.loop = loop; input = MmapPool.instance.make!WriteBuffer(); } /** * Close the transport and deallocate the data buffers. */ ~this() { MmapPool.instance.dispose(input); } /** * Returns: Transport socket. */ inout(ConnectedSocket) socket() inout pure nothrow @safe @nogc { return socket_; } /** * Write some data to the transport. * * Params: * data = Data to send. */ void write(ubyte[] data) { if (!data.length) { return; } // Try to write if the socket is write ready. if (writeReady) { ptrdiff_t sent; SocketException exception; try { sent = socket.send(data); if (sent == 0) { writeReady = false; } } catch (SocketException e) { writeReady = false; exception = e; } if (sent < data.length) { input ~= data[sent..$]; loop.feed(this, exception); } } else { input ~= data; } } } abstract class SelectorLoop : Loop { /// Pending connections. protected ConnectionWatcher[] connections; this() { super(); connections = MmapPool.instance.makeArray!ConnectionWatcher(maxEvents); } ~this() { foreach (ref connection; connections) { // We want to free only IOWatchers. ConnectionWatcher are created by the // user and should be freed by himself. auto io = cast(IOWatcher) connection; if (io !is null) { MmapPool.instance.dispose(io); connection = null; } } MmapPool.instance.dispose(connections); } /** * If the transport couldn't send the data, the further sending should * be handled by the event loop. * * Params: * transport = Transport. * exception = Exception thrown on sending. * * Returns: $(D_KEYWORD true) if the operation could be successfully * completed or scheduled, $(D_KEYWORD false) otherwise (the * transport will be destroyed then). */ protected bool feed(SelectorStreamTransport transport, SocketException exception = null) { while (transport.input.length && transport.writeReady) { try { ptrdiff_t sent = transport.socket.send(transport.input[]); if (sent == 0) { transport.writeReady = false; } else { transport.input += sent; } } catch (SocketException e) { exception = e; transport.writeReady = false; } } if (exception !is null) { auto watcher = cast(IOWatcher) connections[transport.socket.handle]; assert(watcher !is null); kill(watcher, exception); return false; } return true; } /** * Start watching. * * Params: * watcher = Watcher. */ override void start(ConnectionWatcher watcher) { if (watcher.active) { return; } if (connections.length <= watcher.socket) { MmapPool.instance.resizeArray(connections, watcher.socket.handle + maxEvents / 2); } connections[watcher.socket.handle] = watcher; super.start(watcher); } /** * Accept incoming connections. * * Params: * connection = Connection watcher ready to accept. */ package void acceptConnections(ConnectionWatcher connection) in { assert(connection !is null); } body { while (true) { ConnectedSocket client; try { client = (cast(StreamSocket) connection.socket).accept(); } catch (SocketException e) { defaultAllocator.dispose(e); break; } if (client is null) { break; } IOWatcher io; auto transport = MmapPool.instance.make!SelectorStreamTransport(this, client); if (connections.length > client.handle) { io = cast(IOWatcher) connections[client.handle]; } else { MmapPool.instance.resizeArray(connections, client.handle + maxEvents / 2); } if (io is null) { io = MmapPool.instance.make!IOWatcher(transport, connection.protocol); connections[client.handle] = io; } else { io(transport, connection.protocol); } reify(io, EventMask(Event.none), EventMask(Event.read, Event.write)); connection.incoming.insertBack(io); } if (!connection.incoming.empty) { swapPendings.insertBack(connection); } } }
D
void main() { problem(); } void problem() { const N = scan!int; const An = scan!long(N); long solve() { bool[int] candidates; foreach(i; 0..N) candidates[i] = false; long answer; foreach(i; 0..N) { long maxJoy = -1; int maxJoyIndex; foreach(j; candidates.keys) { const joy = An[j] * std.math.abs(j - i); if (maxJoy < joy) { maxJoy = joy; maxJoyIndex = j; } } candidates.remove(maxJoyIndex); deb([i, maxJoy, maxJoyIndex]); answer += maxJoy; } return answer; } long solve2() { foreach(perm; 12.iota.permutations){ } return 0; } solve2().writeln; } // ---------------------------------------------- import std.stdio, std.conv, std.array, std.string, std.algorithm, std.container, std.range, core.stdc.stdlib, std.math, std.typecons, std.numeric; T[][] combinations(T)(T[] s, in int 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)(int n){ return n.iota.map!(i => scan!T()).array; } void deb(T ...)(T t){ debug writeln(t); } alias Point = Tuple!(long, "x", long, "y"); // -----------------------------------------------
D
/** A selection of graph algorithms. Copyright: © 2018 Arne Ludwig <arne.ludwig@posteo.de> License: Subject to the terms of the MIT license, as written in the included LICENSE file. Authors: Arne Ludwig <arne.ludwig@posteo.de> */ module dentist.util.graphalgo; import dentist.util.math : absdiff, NaturalNumberSet; import dentist.util.saturationmath; import std.algorithm : any, copy, countUntil, map; import std.array : appender, array, uninitializedArray; import std.functional : binaryFun; import std.range : enumerate, iota; import std.typecons : Tuple, Yes; /** Calculate connected components of the graph defined by `hasEdge`. Params: hasEdge = Binary predicate taking two nodes of type `size_t` which is true iff the first node is adjacent to the second node. n = Number of nodes in the graph. `hasEdge` must be defined for every pair of integer in `0 .. n`. Returns: Array of components represented as arrays of node indices. */ size_t[][] connectedComponents(alias hasEdge)(size_t n) { alias _hasEdge = binaryFun!hasEdge; auto unvisitedNodes = NaturalNumberSet(n, Yes.addAll); auto nodesBuffer = new size_t[n]; auto components = appender!(size_t[][]); while (!unvisitedNodes.empty) { // discover startNode's component by depth-first search auto component = discoverComponent!_hasEdge(unvisitedNodes); // copy component indices to buffer auto restNodesBuffer = component .elements .copy(nodesBuffer); // append component to result components ~= nodesBuffer[0 .. $ - restNodesBuffer.length]; // reduce node buffer nodesBuffer = restNodesBuffer; } return components.data; } /// unittest { import std.algorithm : equal, min; // _____________ // / \ // (0) --- (1) --- (2) (3) --- (4) enum n = 5; alias connect = (u, v, x, y) => (u == x && v == y) || (u == y && v == x); alias hasEdge = (u, v) => connect(u, v, 0, 1) || connect(u, v, 1, 2) || connect(u, v, 2, 0) || connect(u, v, 3, 4); auto components = connectedComponents!hasEdge(n); assert(equal(components, [ [0, 1, 2], [3, 4], ])); } /// unittest { import std.algorithm : equal, min; // _____________ // / \ // (0) --- (1) --- (2) (3) --- (4) // \_____________________/ enum n = 5; alias connect = (u, v, x, y) => (u == x && v == y) || (u == y && v == x); alias hasEdge = (u, v) => connect(u, v, 0, 1) || connect(u, v, 1, 2) || connect(u, v, 2, 0) || connect(u, v, 0, 3) || connect(u, v, 3, 4); auto components = connectedComponents!hasEdge(n); import std.stdio; assert(equal(components, [ [0, 1, 2, 3, 4], ])); } private NaturalNumberSet discoverComponent(alias hasEdge)(ref NaturalNumberSet nodes) { assert(!nodes.empty, "cannot discoverComponent of an empty graph"); // prepare component auto component = NaturalNumberSet(nodes.maxElement); // select start node auto currentNode = nodes.minElement; discoverComponent!hasEdge(nodes, currentNode, component); return component; } private void discoverComponent(alias hasEdge)(ref NaturalNumberSet nodes, size_t currentNode, ref NaturalNumberSet component) { // move currentNode from available nodes to the component component.add(currentNode); nodes.remove(currentNode); // try to find successor of current node foreach (nextNode; nodes.elements) { if (hasEdge(currentNode, nextNode)) { assert( hasEdge(nextNode, currentNode), "connectedComponents may be called only on an undirected graph", ); // found successor -> recurse discoverComponent!hasEdge(nodes, nextNode, component); } } } /// Provides access to the all pairs shortest paths solution. /// /// This is the result of the Floyd-Warshall algorithm generated by /// `shortestPathsFloydWarshall`. struct FloydWarshallMatrix(weight_t) { /// Weight returned if two nodes are not connected. /// /// See_also: do not use directly but through `isConnected` enum unconnectedWeight = saturatedInfinity!weight_t; /// Weight returned if the end of a path is reached. /// /// See_also: do not use directly but through `hasNext` enum noNext = size_t.max; private size_t _numNodes; private weight_t[] _dist; private size_t[] _next; /// Number of nodes in the graph. This is the limit (exclusive) for /// node indices. @property size_t numNodes() const pure nothrow @safe { return _numNodes; } /// True if a negative cycle was detected. bool hasNegativeCycles() const pure nothrow @safe { return iota(_numNodes).any!(n => dist(n, n) < 0); } private size_t idx(size_t u, size_t v) const pure nothrow @safe in (u < numNodes && v < numNodes, "index out of bounds") { return u * numNodes + v; } /// Get the distance from `u` to `v`. @property ref weight_t dist(size_t u, size_t v) pure nothrow @safe { return _dist[idx(u, v)]; } /// ditto @property weight_t dist(size_t u, size_t v) const pure nothrow @safe { return _dist[idx(u, v)]; } /// Return true if there is a path from `u` to `v`. @property bool isConnected(size_t u, size_t v) const pure nothrow @safe { return dist(u, v) < unconnectedWeight; } /// Return the next node after `u` on a shortest path from `u` to `v`. @property ref size_t next(size_t u, size_t v) pure nothrow @safe { return _next[idx(u, v)]; } /// ditto @property size_t next(size_t u, size_t v) const pure nothrow @safe { return _next[idx(u, v)]; } /// Returns whether there is a next node after `u` on a shortest path /// from `u` to `v`. /// /// `false` is returned if `u == v` or if there is no shortest path /// from `u` to `v`. @property bool hasNext(size_t u, size_t v) const pure nothrow @safe { return next(u, v) != noNext; } /// Range of nodes that form a shortest path between two nodes. static struct ShortestPath { private const(FloydWarshallMatrix!weight_t)* _matrix; private size_t _from; private size_t _to; private size_t _current; private this(const(FloydWarshallMatrix!weight_t)* matrix, size_t from, size_t to) { this._matrix = matrix; this._from = from; this._to = to; this._current = matrix !is null && matrix.isConnected(from, to) ? from : noNext; } /// Reference to the underlying solution matrix. @property const(FloydWarshallMatrix!weight_t) matrix() pure nothrow @safe { return *_matrix; } /// Source node of the path. @property size_t from() const pure nothrow @safe { return _from; } /// Destination node of the path. @property size_t to() const pure nothrow @safe { return _to; } /// Range interface. @property bool empty() const pure nothrow @safe { return _current == noNext; } /// ditto @property size_t front() const pure nothrow @safe { assert( !empty, "Attempting to fetch the front of an empty FloydWarshallMatrix.ShortestPath", ); return _current; } /// ditto void popFront() pure nothrow @safe { assert(!empty, "Attempting to popFront an empty FloydWarshallMatrix.ShortestPath"); this._current = _matrix !is null ? matrix.next(_current, _to) : noNext; } /// ditto @property ShortestPath save() const pure nothrow @safe { return cast(typeof(return)) this; } } /// Returns a lazy range of nodes that form a shortest path between `from` /// and `to`. ShortestPath shortestPath(size_t from, size_t to) const pure nothrow { return ShortestPath(&this, from, to); } } private void updateBestConnections(weight_t)( size_t u, size_t v, weight_t d, ref size_t[2][] bestConnections, ref weight_t[] bestDists, ) nothrow @safe { foreach (i, ref bestDist; bestDists) { if (d < bestDist) { // shift other best weights & connections one place further down foreach_reverse (j; i + 1 .. bestDists.length) { bestDists[j] = bestDists[j - 1]; bestConnections[j] = bestConnections[j - 1]; } // update current best weight & connection bestDist = d; bestConnections[i] = [u, v]; return; } } } private auto floydWarshallMatrix( alias hasEdge, alias weight, weight_t = typeof(weight(size_t.init, size_t.init)), )(size_t n, ref size_t[2][] bestConnections, ref weight_t[] bestDists) in (bestConnections.length <= n^^2 && bestConnections.length == bestDists.length) { FloydWarshallMatrix!weight_t matrix; matrix._numNodes = n; matrix._dist = uninitializedArray!(weight_t[])(n * n); matrix._next = uninitializedArray!(size_t[])(n * n); foreach (ref c; bestConnections) c = [0, 0]; bestDists[] = cast(weight_t) 0; foreach (u; 0 .. matrix.numNodes) foreach (v; 0 .. matrix.numNodes) { if (u == v) { matrix.dist(u, v) = 0; matrix.next(u, v) = matrix.noNext; } else if (hasEdge(u, v)) { auto w = weight(u, v); matrix.dist(u, v) = w; matrix.next(u, v) = v; updateBestConnections(u, v, w, bestConnections, bestDists); } else { matrix.dist(u, v) = matrix.unconnectedWeight; matrix.next(u, v) = matrix.noNext; } } return matrix; } /// Specify the type of the graph for performance improvements. enum GraphType : ubyte { /// Any weighted graph (directed or undirected). Negative cycles are /// allowed and may be detected after the algorithm finished. general, /// Directed acyclic graph. The algorithm can be faster by a constant /// factor by first sorting in topological order and than skipping /// irrelevant edges. DAG, } /** Calculate all shortest paths between all pairs of nodes. The functions `hasEdge` and `weight` define the graphs structure and weights, respectively. Nodes are represented as `size_t` integers. Params: hasEdge = Binary predicate taking two nodes of type `size_t` which is true iff the first node is adjacent to the second node. weight = Binary function taking two nodes of type `size_t` which returns the weight of the edge between the first and the second node. The function may be undefined if `hasEdge` returns false for the given arguments. n = Number of nodes in the graph. `hasEdge` must be defined for every pair of integer in `0 .. n`. bestConnections = If given, the array will be populated with the `bestConnections.length` best connections, that is the pairs of nodes with optimal distances. graphType = Specify `GraphType.DAG` to improve performance if the graph is in fact a directed acyclic graph. Returns: `FloydWarshallMatrix` See_also: $(LINK https://en.wikipedia.org/wiki/Floyd-Warshall_algorithm) */ auto shortestPathsFloydWarshall( alias hasEdge, alias weight, GraphType graphType = GraphType.general, )(size_t n) { size_t[2][] bestConnections; return shortestPathsFloydWarshall!(hasEdge, weight, graphType)(n, bestConnections); } /// ditto auto shortestPathsFloydWarshall( alias hasEdge, alias weight, GraphType graphType = GraphType.general, )( size_t n, ref size_t[2][] bestConnections, ) { alias _hasEdge = binaryFun!hasEdge; alias _weight = binaryFun!weight; alias weight_t = typeof(_weight(size_t.init, size_t.init)); static if (graphType == GraphType.DAG) { auto nodes = topologicalSort!_hasEdge(n); alias nodesSlice = (from, to) => nodes[from .. to].enumerate(from); alias kRange = () => nodesSlice(1, n - 1); alias uRange = (kIdx) => nodesSlice(0, kIdx); alias vRange = (kIdx, uIdx) => nodesSlice(kIdx + 1, n); } else { auto nodes = enumerate(iota(n)); alias kRange = () => nodes; alias uRange = (kIdx) => nodes; alias vRange = (kIdx, uIdx) => nodes; } auto bestDists = uninitializedArray!(weight_t[])(bestConnections.length); auto matrix = floydWarshallMatrix!(_hasEdge, _weight)( n, bestConnections, bestDists, ); if (n < 2) return matrix; foreach (kIdx, k; kRange()) foreach (uIdx, u; uRange(kIdx)) foreach (vIdx, v; vRange(kIdx, uIdx)) { auto ukDist = matrix.dist(u, k); auto kvDist = matrix.dist(k, v); auto d = saturatedAdd(ukDist, kvDist); if (matrix.dist(u, v) > d) { matrix.dist(u, v) = d; matrix.next(u, v) = matrix.next(u, k); updateBestConnections(u, v, d, bestConnections, bestDists); } } return matrix; } /// ditto alias allPairsShortestPaths = shortestPathsFloydWarshall; /// unittest { import std.algorithm : equal; // _____________ _____________ // / v / v // (0) --> (1) --> (2) (3) --> (4) enum n = 5; alias hasEdge = (u, v) => (u + 1 == v && u != 2) || (u + 2 == v && u % 2 == 0); alias weight = (u, v) => 1; auto shortestPaths = shortestPathsFloydWarshall!(hasEdge, weight)(n); debug (2) shortestPaths.printConnections([[0, 4], [1, 4], [1, 3], [3, 4]]); assert(equal(shortestPaths.shortestPath(0, 4), [0, 2, 4])); assert(shortestPaths.dist(0, 4) == 2); assert(equal(shortestPaths.shortestPath(1, 4), [1, 2, 4])); assert(shortestPaths.dist(1, 4) == 2); assert(equal(shortestPaths.shortestPath(1, 3), size_t[].init)); assert(!shortestPaths.isConnected(1, 3)); assert(equal(shortestPaths.shortestPath(3, 4), [3, 4])); assert(shortestPaths.dist(3, 4) == 1); } /// unittest { import std.algorithm : equal; // _____-4______ _____-4______ // / v / v // (0) --> (1) --> (2) (3) --> (4) // -1 -1 -1 enum n = 5; alias hasEdge = (u, v) => (u + 1 == v && u != 2) || (u + 2 == v && u % 2 == 0); alias weight = (u, v) => -(cast(long) u - cast(long) v)^^2; auto shortestPaths = shortestPathsFloydWarshall!(hasEdge, weight)(n); debug (2) shortestPaths.printConnections([[0, 4], [1, 4], [2, 4], [1, 3], [3, 4]]); assert(equal(shortestPaths.shortestPath(0, 4), [0, 2, 4])); assert(shortestPaths.dist(0, 4) == -8); assert(equal(shortestPaths.shortestPath(1, 4), [1, 2, 4])); assert(shortestPaths.dist(1, 4) == -5); assert(equal(shortestPaths.shortestPath(1, 3), size_t[].init)); assert(!shortestPaths.isConnected(1, 3)); assert(equal(shortestPaths.shortestPath(3, 4), [3, 4])); assert(shortestPaths.dist(3, 4) == -1); } /// unittest { import std.algorithm : equal, map; // _____-4______ _____-4______ // / v / v // (0) --> (1) --> (2) (3) --> (4) // -1 -1 -1 enum n = 5; alias hasEdge = (u, v) => (u + 1 == v && u != 2) || (u + 2 == v && u % 2 == 0); alias weight = (u, v) => -(cast(long) u - cast(long) v)^^2; enum bestN = 7; auto bestConnections = new size_t[2][bestN]; auto shortestPaths = shortestPathsFloydWarshall!(hasEdge, weight)(n, bestConnections); assert(equal(bestConnections, [ [0, 4], [1, 4], [0, 2], [2, 4], [0, 1], [1, 2], [3, 4], ])); assert(equal(bestConnections.map!(c => shortestPaths.dist(c[0], c[1])), [ -8, -5, -4, -4, -1, -1, -1, ])); } /// Optimize performance by choosing appropriate `graphType` unittest { import std.datetime.stopwatch; enum n = 5; alias hasEdge = (u, v) => (u + 1 == v && u != 2) || (u + 2 == v && u % 2 == 0); alias weight = (u, v) => -(cast(long) u - cast(long) v)^^2; alias shortestPathsGeneral = () => shortestPathsFloydWarshall!( hasEdge, weight, GraphType.general, )(n); alias shortestPathsDAG = () => shortestPathsFloydWarshall!( hasEdge, weight, GraphType.DAG, )(n); enum numRounds = 10_000; auto result = benchmark!( shortestPathsGeneral, // => 157.029400ms shortestPathsDAG, // => 35.348500ms )(numRounds); debug (2) { import std.stdio : writefln; writefln!"Computed %d rounds:"(numRounds); writefln!"shortestPathsGeneral: %fms"(result[0].total!"nsecs"/1e9*1e3); writefln!"shortestPathsDAG: %fms"(result[1].total!"nsecs"/1e9*1e3); } } // functional test of different graph types unittest { enum n = 5; alias hasEdge = (u, v) => (u + 1 == v && u != 2) || (u + 2 == v && u % 2 == 0); alias weight = (u, v) => -(cast(long) u - cast(long) v)^^2; auto shortestPathsGeneral = shortestPathsFloydWarshall!( hasEdge, weight, GraphType.general, )(n); auto shortestPathsDAG = shortestPathsFloydWarshall!( hasEdge, weight, GraphType.DAG, )(n); debug (2) { import std.stdio : writefln; size_t[2][] connections = [[0, 4], [1, 4], [2, 4], [1, 3], [3, 4]]; shortestPathsGeneral.printConnections(connections); writefln!"topologicalOrder: %(%d > %)"(topologicalSort!hasEdge(n)); shortestPathsDAG.printConnections(connections); } assert(shortestPathsGeneral == shortestPathsDAG); } unittest { enum n = 0; alias hasEdge = (u, v) => true; alias weight = (u, v) => 1; cast(void) shortestPathsFloydWarshall!(hasEdge, weight)(n); } unittest { import std.algorithm : equal; enum n = 1; alias hasEdge = (u, v) => false; alias weight = (u, v) => 0; auto bestConnections = new size_t[2][1]; auto shortestPaths = shortestPathsFloydWarshall!(hasEdge, weight)(n, bestConnections); assert(bestConnections == [[0, 0]]); assert(shortestPaths.dist(0, 0) == 0); assert(equal(shortestPaths.shortestPath(0, 0), [0])); } private version (unittest) { void printConnections(weight_t)( const ref FloydWarshallMatrix!weight_t shortestPaths, size_t[2][] connections, string file = __FILE__, size_t line = __LINE__, ) { import std.conv; import std.stdio; writefln!"--- BEGIN connections (%s:%d)"(file, line); foreach (uv; connections) writefln!"%d -> %d (%s): %-(%d -> %)"( uv[0], uv[1], shortestPaths.isConnected(uv[0], uv[1]) ? shortestPaths.dist(uv[0], uv[1]).to!string : "-", shortestPaths.shortestPath(uv[0], uv[1]), ); writefln!"--- END connections"(); } } /// Provides access to the single source shortest paths solution. /// /// See_also: `dagSingleSourceShortestPaths`. struct SingleSourceShortestPathsSolution(weight_t) { enum unconnectedWeight = saturatedInfinity!weight_t; enum noPredecessor = size_t.max; /// Source node of the shortest paths problem. size_t startNode; /// Topologically ordered nodes. size_t[] topologicalOrder; private weight_t[] _distance; private size_t[] _predecessor; /// Number of nodes in the graph. This is the limit (exclusive) for /// node indices. @property size_t numNodes() const pure nothrow @safe { return topologicalOrder.length; } /// Returns the original ID of the node at index `u` in topological order. private size_t originalNode(size_t u) const pure nothrow @safe { return topologicalOrder[u]; } /// Return the array of distances from `startNode` to the indexed node. @property const(weight_t)[] distances() const pure nothrow @safe { return _distance[]; } /// Return the distance from `startNode` to `u`. @property ref weight_t distance(size_t u) pure nothrow @safe { return _distance[u]; } /// ditto @property weight_t distance(size_t u) const pure nothrow @safe { return _distance[u]; } /// Return true if there is a path from `startNode` to `u`. @property bool isConnected(size_t u) const pure nothrow @safe { return distance(u) < unconnectedWeight; } /// Return the predecessor of `u` on a shortest path /// from `startNode` to `u`. @property ref size_t predecessor(size_t u) pure nothrow @safe { return _predecessor[u]; } /// ditto @property size_t predecessor(size_t u) const pure nothrow @safe { return _predecessor[u]; } /// Returns true if `u` has a predecessor on a shortest path /// from `startNode` to `u`. /// /// This is true if there exists a path from `startNode` to `u` and /// `u != startNode`. @property bool hasPredecessor(size_t u) const pure nothrow @safe { return predecessor(u) != noPredecessor; } /// Reverse range of nodes that form a shortest path starting in /// `startNode` and ending in `to`. /// /// The order is reversed because solutions to the single source shortest /// paths problem always from a tree that is tersely represented by a /// predecessor list. static struct ReverseShortestPath { private const(SingleSourceShortestPathsSolution!weight_t)* _solution; private size_t _to; private size_t _current; private this(const(SingleSourceShortestPathsSolution!weight_t)* solution, size_t to) { this._solution = solution; this._to = to; this._current = solution !is null && solution.isConnected(to) ? to : noPredecessor; } /// Reference to the underlying solution object. @property const(SingleSourceShortestPathsSolution!weight_t) solution() pure nothrow @safe { return *_solution; } /// Source node. @property size_t from() const pure nothrow @safe { return _solution.startNode; } /// Target node. @property size_t to() const pure nothrow @safe { return _to; } /// Range interface. @property bool empty() const pure nothrow @safe { return _current == noPredecessor; } /// ditto @property size_t front() const pure nothrow @safe { assert( !empty, "Attempting to fetch the front of an empty SingleSourceShortestPathsSolution.ReverseShortestPath", ); return _current; } /// ditto void popFront() pure nothrow @safe { assert(!empty, "Attempting to popFront an empty SingleSourceShortestPathsSolution.ReverseShortestPath"); this._current = _solution !is null ? solution.predecessor(_current) : noPredecessor; } } /// Returns a lazy range of nodes that form a reversed shortest path /// from `startNode` to `to`. ReverseShortestPath reverseShortestPath(size_t to) const pure nothrow { return ReverseShortestPath(&this, to); } } /** Calculate all shortest paths in a DAG starting at `start`. The functions `hasEdge` and `weight` define the graphs structure and weights, respectively. Nodes are represented as `0 .. n`. The graph must be directed and acyclic (DAG). The implementation uses `topologicalSort`ing achieving linear time consumption `Θ(n + m)` where `m` is the number of edges. Params: hasEdge = Binary predicate taking two nodes of type `size_t` which is true iff the first node is adjacent to the second node. weight = Binary function taking two nodes of type `size_t` which returns the weight of the edge between the first and the second node. The function is only evaluated if `hasEdge` is true. start = Source node. n = Number of nodes in the graph. `hasEdge` must be defined for every pair of integer in `0 .. n`. Returns: `SingleSourceShortestPathsSolution` See_also: $(UL $(LI `topologicalSort`) $(LI $(LINK https://en.wikipedia.org/wiki/Topological_sorting#Application_to_shortest_path_finding)) ) */ auto dagSingleSourceShortestPaths(alias hasEdge, alias weight)(size_t start, size_t n) { alias _hasEdge = binaryFun!hasEdge; alias _weight = binaryFun!weight; alias weight_t = typeof(_weight(size_t.init, size_t.init)); SingleSourceShortestPathsSolution!weight_t result; with (result) { // sort topologically topologicalOrder = topologicalSort!_hasEdge(n); alias N = (u) => originalNode(u); _distance = uninitializedArray!(weight_t[])(n); _distance[] = saturatedInfinity!weight_t; _distance[start] = 0; _predecessor = uninitializedArray!(size_t[])(n); _predecessor[] = size_t.max; foreach (u; topologicalOrder.countUntil(start) .. n) foreach (v; u + 1 .. n) if (_hasEdge(N(u), N(v))) { auto vDistance = distance(N(v)); auto uDistance = saturatedAdd(distance(N(u)), _weight(N(u), N(v))); if (vDistance > uDistance) { distance(N(v)) = uDistance; predecessor(N(v)) = N(u); } } } return result; } /// unittest { import std.algorithm : equal; // _____________ _____________ // / v / v // (0) --> (1) --> (2) (3) --> (4) enum n = 5; alias hasEdge = (u, v) => (u + 1 == v && u != 2) || (u + 2 == v && u % 2 == 0); alias weight = (u, v) => 1; auto shortestPaths = dagSingleSourceShortestPaths!(hasEdge, weight)(0, n); assert(equal(shortestPaths.reverseShortestPath(4), [4, 2, 0])); assert(shortestPaths.distance(4) == 2); assert(equal(shortestPaths.reverseShortestPath(2), [2, 0])); assert(shortestPaths.distance(2) == 1); assert(equal(shortestPaths.reverseShortestPath(1), [1, 0])); assert(shortestPaths.distance(1) == 1); assert(equal(shortestPaths.reverseShortestPath(3), size_t[].init)); assert(!shortestPaths.isConnected(3)); } /** Topologically sort a DAG. The binary predicate `hasEdge` defines the graphs structure. Nodes are represented as `0 .. n`. The graph must be directed and acyclic (DAG). The sorting is implemented using a linear time algorithm based on depth-first search describe by Cormen et al. (2001). Returns: array of nodes in topological order. Params: hasEdge = Binary predicate taking two nodes of type `size_t` which is true iff the first node is adjacent to the second node. n = Number of nodes in the graph. `hasEdge` must be defined for every pair of integer in `0 .. n`. Throws: `NoDAG` if a cycle was detected See_also: $(UL $(LI $(LINK https://en.wikipedia.org/wiki/Topological_sorting#Depth-first_search)) $(LI Cormen, Thomas H.; Leiserson, Charles E.; Rivest, Ronald L.; Stein, Clifford (2001), "Section 22.4: Topological sort", Introduction to Algorithms (2nd ed.), MIT Press and McGraw-Hill, pp. 549–552, ISBN 0-262-03293-7) ) */ size_t[] topologicalSort(alias hasEdge)(size_t n) { alias _hasEdge = binaryFun!hasEdge; // list that will contain the sorted nodes auto sortedNodes = new size_t[n]; auto sortedNodesHead = sortedNodes[]; void enqueueNode(size_t node) { sortedNodesHead[$ - 1] = node; --sortedNodesHead.length; } // keep track which nodes have been visited auto unvisitedNodes = NaturalNumberSet(n, Yes.addAll); auto temporaryVisitedNodes = NaturalNumberSet(n); void visit(size_t node) { if (node !in unvisitedNodes) // already visited return; if (node in temporaryVisitedNodes) // cycle detected throw new NoDAG(); temporaryVisitedNodes.add(node); foreach (nextNode; unvisitedNodes.elements) if (_hasEdge(node, nextNode)) visit(nextNode); temporaryVisitedNodes.remove(node); unvisitedNodes.remove(node); enqueueNode(node); } foreach (node; unvisitedNodes.elements) visit(node); return sortedNodes; } /// unittest { import std.algorithm : equal; // _____________ _____________ // / v / v // (0) --> (1) --> (2) (3) --> (4) enum n = 5; alias hasEdge = (u, v) => (u + 1 == v && u != 2) || (u + 2 == v && u % 2 == 0); auto topologicalOrder = topologicalSort!hasEdge(n); assert(equal(topologicalOrder, [3, 0, 1, 2, 4])); } /// unittest { import std.exception : assertThrown; // _____________ _____________ // / v / v // (0) --> (1) --> (2) (3) --> (4) // ^_____________________________/ enum n = 5; alias hasEdge = (u, v) => (u + 1 == v && u != 2) || (u + 2 == v && u % 2 == 0) || u == 4 && v == 0; assertThrown!NoDAG(topologicalSort!hasEdge(n)); } /// Thrown if a cycle was detected. class NoDAG : Exception { this(string file = __FILE__, size_t line = __LINE__, Throwable next = null) { super("not a DAG: graph has cycles", file, line, next); } }
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_0_BeT-6114341831.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_0_BeT-6114341831.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
// https://issues.dlang.org/show_bug.cgi?id=22593 /* TEST_OUTPUT: --- fail_compilation/test22593.d(14): Error: Cannot define both an rvalue constructor and a copy constructor for `struct Foo` fail_compilation/test22593.d(22): Template instance `__ctor!(immutable(Foo!int), immutable(Foo!int))` creates a rvalue constructor for `struct Foo` fail_compilation/test22593.d(22): Error: template instance `test22593.Foo!int.Foo.__ctor!(immutable(Foo!int), immutable(Foo!int))` error instantiating --- */ struct Foo(T) { this(Rhs, this This)(scope Rhs rhs){} this(ref scope typeof(this) rhs){} } void main() { immutable Foo!int a; a.__ctor(a); }
D
ZTRCON (F07TUF) Example Program Data 4 :Value of N 'L' :Value of UPLO ( 4.78, 4.56) ( 2.00,-0.30) (-4.11, 1.25) ( 2.89,-1.34) ( 2.36,-4.25) ( 4.15, 0.80) (-1.89, 1.15) ( 0.04,-3.69) (-0.02, 0.46) ( 0.33,-0.26) :End of matrix A
D
module dlangui.dml.tokenizer; import dlangui.core.types; import dlangui.core.linestream; import std.conv : to; import std.utf : toUTF32; import std.algorithm : equal, min, max; enum TokenType : ushort { /// end of file eof, /// end of line eol, /// whitespace whitespace, /// string literal str, /// integer literal integer, /// floating point literal floating, /// comment comment, /// ident ident, /// error error, // operators /// : operator colon, /// . operator dot, /// ; operator semicolon, /// / operator divide, /// , operator comma, /// - operator minus, /// + operator plus, /// { curlyOpen, /// } curlyClose, /// ( open, /// ) close, /// [ squareOpen, /// ] squareClose, } struct Token { TokenType type; ushort line; ushort pos; bool multiline; string text; union { int intvalue; double floatvalue; } public @property string toString() const { if (type == TokenType.integer) return "" ~ to!string(line) ~ ":" ~ to!string(pos) ~ " " ~ to!string(type) ~ " " ~ to!string(intvalue); else if (type == TokenType.floating) return "" ~ to!string(line) ~ ":" ~ to!string(pos) ~ " " ~ to!string(type) ~ " " ~ to!string(floatvalue); else return "" ~ to!string(line) ~ ":" ~ to!string(pos) ~ " " ~ to!string(type) ~ " \"" ~ text ~ "\""; } @property bool isMultilineComment() { return type == TokenType.comment && multiline; } } class ParserException : Exception { protected string _msg; protected string _file; protected int _line; protected int _pos; @property string file() { return _file; } @property string msg() { return _msg; } @property int line() { return _line; } @property int pos() { return _pos; } this(string msg, string file, int line, int pos) { super(msg ~ " at " ~ file ~ " line " ~ to!string(line) ~ " column " ~ to!string(pos)); _msg = msg; _file = file; _line = line; _pos = pos; } } /// simple tokenizer for DlangUI ML class Tokenizer { protected string[] _singleLineCommentPrefixes = ["//"]; protected LineStream _lines; protected dchar[] _lineText; protected ushort _line; protected ushort _pos; protected int _len; protected dchar _prevChar; protected string _filename; protected Token _token; enum : int { EOF_CHAR = 0x001A, EOL_CHAR = 0x000A } this(string source, string filename = "", string[] singleLineCommentPrefixes = ["//"]) { _singleLineCommentPrefixes = singleLineCommentPrefixes; _filename = filename; _lines = LineStream.create(source, filename); _lineText = _lines.readLine(); _len = cast(int)_lineText.length; _line = 0; _pos = 0; _prevChar = 0; } ~this() { destroy(_lines); _lines = null; } protected dchar peekChar() { if (_pos < _len) return _lineText[_pos]; else if (_lineText is null) return EOF_CHAR; return EOL_CHAR; } protected dchar peekNextChar() { if (_pos < _len - 1) return _lineText[_pos + 1]; else if (_lineText is null) return EOF_CHAR; return EOL_CHAR; } protected dchar nextChar() { if (_pos < _len) _prevChar = _lineText[_pos++]; else if (_lineText is null) _prevChar = EOF_CHAR; else { _lineText = _lines.readLine(); _len = cast(int)_lineText.length; _line++; _pos = 0; _prevChar = EOL_CHAR; } return _prevChar; } protected dchar skipChar() { nextChar(); return peekChar(); } protected void setTokenStart() { _token.pos = _pos; _token.line = _line; _token.text = null; _token.intvalue = 0; } protected ref const(Token) parseEof() { _token.type = TokenType.eof; return _token; } protected ref const(Token) parseEol() { _token.type = TokenType.eol; nextChar(); return _token; } protected ref const(Token) parseWhiteSpace() { _token.type = TokenType.whitespace; for(;;) { dchar ch = skipChar(); if (ch != ' ' && ch != '\t') break; } return _token; } static bool isAlpha(dchar ch) { return (ch >= 'a' && ch <= 'z') || (ch >= 'A' && ch <= 'Z') || ch == '_'; } static bool isNum(dchar ch) { return (ch >= '0' && ch <= '9'); } static bool isAlphaNum(dchar ch) { return isNum(ch) || isAlpha(ch); } private char[] _stringbuf; protected ref const(Token) parseString() { _token.type = TokenType.str; //skipChar(); // skip " bool lastBackslash = false; _stringbuf.length = 0; dchar quoteChar = peekChar(); for(;;) { dchar ch = skipChar(); if (ch == quoteChar) { // '\"' if (lastBackslash) { _stringbuf ~= ch; lastBackslash = false; } else { skipChar(); break; } } else if (ch == '\\') { if (lastBackslash) { _stringbuf ~= ch; lastBackslash = false; } else { lastBackslash = true; } } else if (ch == EOL_CHAR) { skipChar(); break; } else if (lastBackslash) { if (ch == 'n') ch = '\n'; else if (ch == 't') ch = '\t'; _stringbuf ~= ch; lastBackslash = false; } else { _stringbuf ~= ch; lastBackslash = false; } } _token.text = _stringbuf.dup; return _token; } protected ref const(Token) parseIdent() { _token.type = TokenType.ident; _stringbuf.length = 0; _stringbuf ~= peekChar(); for(;;) { dchar ch = skipChar(); if (!isAlphaNum(ch)) break; _stringbuf ~= ch; } _token.text = _stringbuf.dup; return _token; } protected ref const(Token) parseFloating(int n) { _token.type = TokenType.floating; dchar ch = peekChar(); // floating point int div = 1; int n2 = 0; for (;;) { ch = skipChar(); if (!isNum(ch)) break; n2 = n2 * 10 + (ch - '0'); div *= 10; } _token.floatvalue = cast(double)n + (div > 0 ? cast(double)n2 / div : 0.0); string suffix; if (ch == '%') { suffix ~= ch; ch = skipChar(); } else { while (ch >= 'a' && ch <= 'z') { suffix ~= ch; ch = skipChar(); } } if (isAlphaNum(ch) || ch == '.') return parseError(); _token.text = suffix; return _token; } protected ref const(Token) parseHex(int prefixLen) { dchar ch = 0; foreach(i; 0 .. prefixLen) ch = skipChar(); uint n = parseHexDigit(ch); if (n == uint.max) return parseError(); for(;;) { ch = skipChar(); uint digit = parseHexDigit(ch); if (digit == uint.max) break; n = (n << 4) + digit; } string suffix; if (ch == '%') { suffix ~= ch; ch = skipChar(); } else { while (ch >= 'a' && ch <= 'z') { suffix ~= ch; ch = skipChar(); } } if (isAlphaNum(ch) || ch == '.') return parseError(); _token.type = TokenType.integer; _token.intvalue = n; _token.text = suffix; return _token; } protected ref const(Token) parseNumber() { dchar ch = peekChar(); uint n = ch - '0'; for(;;) { ch = skipChar(); if (!isNum(ch)) break; n = n * 10 + (ch - '0'); } if (ch == '.') return parseFloating(n); string suffix; if (ch == '%') { suffix ~= ch; ch = skipChar(); } else { while (ch >= 'a' && ch <= 'z') { suffix ~= ch; ch = skipChar(); } } if (isAlphaNum(ch) || ch == '.') return parseError(); _token.type = TokenType.integer; _token.intvalue = n; _token.text = suffix; return _token; } protected ref const(Token) parseSingleLineComment() { for(;;) { dchar ch = skipChar(); if (ch == EOL_CHAR || ch == EOF_CHAR) break; } _token.type = TokenType.comment; _token.multiline = false; return _token; } protected ref const(Token) parseMultiLineComment() { skipChar(); for(;;) { dchar ch = skipChar(); if (ch == '*' && peekNextChar() == '/') { skipChar(); skipChar(); break; } if (ch == EOF_CHAR) break; } _token.type = TokenType.comment; _token.multiline = true; return _token; } protected ref const(Token) parseError() { _token.type = TokenType.error; for(;;) { dchar ch = skipChar(); if (ch == ' ' || ch == '\t' || ch == EOL_CHAR || ch == EOF_CHAR) break; } return _token; } protected ref const(Token) parseOp(TokenType op) { _token.type = op; skipChar(); return _token; } /// get next token ref const(Token) nextToken() { setTokenStart(); dchar ch = peekChar(); if (ch == EOF_CHAR) return parseEof(); if (ch == EOL_CHAR) return parseEol(); if (ch == ' ' || ch == '\t') return parseWhiteSpace(); if (ch == '\"' || ch == '\'' || ch == '`') return parseString(); if (isAlpha(ch)) return parseIdent(); if (ch == '0' && peekNextChar == 'x') return parseHex(2); if (ch == '#') return parseHex(1); if (isNum(ch)) return parseNumber(); if (ch == '.' && isNum(peekNextChar())) return parseFloating(0); foreach(prefix; _singleLineCommentPrefixes) { if (ch == prefix[0] && (prefix.length == 1 || peekNextChar() == prefix[1])) return parseSingleLineComment(); } if (ch == '/' && peekNextChar() == '*') return parseMultiLineComment(); switch (ch) { case '.': return parseOp(TokenType.dot); case ':': return parseOp(TokenType.colon); case ';': return parseOp(TokenType.semicolon); case ',': return parseOp(TokenType.comma); case '-': return parseOp(TokenType.minus); case '+': return parseOp(TokenType.plus); case '{': return parseOp(TokenType.curlyOpen); case '}': return parseOp(TokenType.curlyClose); case '(': return parseOp(TokenType.open); case ')': return parseOp(TokenType.close); case '[': return parseOp(TokenType.squareOpen); case ']': return parseOp(TokenType.squareClose); case '/': return parseOp(TokenType.divide); default: return parseError(); } } string getContextSource() { string s = toUTF8(cast(dstring)_lineText); if (_pos == 0) return " near `^^^" ~ s[0..min($,30)] ~ "`"; if (_pos >= _len) return " near `" ~ s[max(_len - 30, 0) .. $] ~ "^^^`"; return " near `" ~ s[max(_pos - 15, 0) .. _pos] ~ "^^^" ~ s[_pos .. min(_pos + 15, $)] ~ "`"; } @property string filename() { return filename; } @property int line() { return _token.line; } @property int pos() { return _token.pos; } void emitError(string msg) { throw new ParserException(msg ~ getContextSource(), _filename, _token.line, _token.pos); } void emitError(string msg, ref const Token token) { throw new ParserException(msg, _filename, token.line, token.pos); } } /// tokenize source into array of tokens (excluding EOF) public Token[] tokenize(string code, string[] _singleLineCommentPrefixes = ["//"], bool skipSpace = false, bool skipEols = false, bool skipComments = false) { Token[] res; auto tokenizer = new Tokenizer(code, "", _singleLineCommentPrefixes); for (;;) { auto token = tokenizer.nextToken(); if (token.type == TokenType.eof) break; if (skipSpace && token.type == TokenType.whitespace) continue; if (skipEols && token.type == TokenType.eol) continue; if (skipComments && token.type == TokenType.comment) continue; res ~= token; } return res; } /// exclude whitespace tokens at beginning and end of token sequence Token[] trimSpaceTokens(Token[] tokens, bool trimBeginning = true, bool trimEnd = true) { if (trimBeginning) while(tokens.length > 0 && tokens[0].type == TokenType.whitespace) tokens = tokens[1 .. $]; if (trimEnd) while(tokens.length > 0 && tokens[$ - 1].type == TokenType.whitespace) tokens = tokens[0 .. $ - 1]; return tokens; }
D
module dsymbols.dvariable; import dsymbols.common; import dsymbols.dsymbolbase; import logger; import std.algorithm; import std.array; import std.range; class VariableSymbol : TypedSymbol!(SymbolType.VAR) { this(string name, Offset pos, DType type) { _info.name = name; _info.type = type; _info.position = pos; } override ISymbol[] dotAccess() { debug trace(); auto declarations = findType(parent(), type); if (declarations.empty()) { return null; } debug trace("dot access for ", debugString(declarations.front())); return declarations.front().dotAccess(); } } class EnumVariableSymbol : TypedSymbol!(SymbolType.ENUM) { this(string name, Offset pos) { _info.name = name; _info.position = pos; } }
D
module tests.fake_units_tests; debug import std.stdio; @("Let there be units") unittest { import quantities; import std.exception : assertThrown; // Let there be units auto apple = unit!int("Apple"); auto cookie = unit!int("Cookie"); auto movie = unit!int("Movie"); // Let there be prefixes alias few = prefix!2; alias many = prefix!100; auto tolerated = few(cookie) / movie; auto toxic = 50 * tolerated; // 100 cookies is really too much for one movie assert(toxic.value(cookie / movie) == 100); // How many cookies are tolerated if I watch 10 movies a week assert((tolerated * 10 * movie).value(cookie) == 20); // Don't mix cookies with apples assertThrown!DimensionException(cookie + apple); // Let there be a parser auto symbols = SymbolList!int().addUnit("🍎", apple).addUnit("🍪", cookie).addUnit("🎬", movie).addPrefix("🙂", 2).addPrefix("😃", 100); auto parser = Parser!int(symbols); // Use parsed quantities assert(tolerated == parser.parse("🙂🍪/🎬")); assert(toxic == parser.parse("😃🍪/🎬")); }
D
module libssh; public import libssh.types; public import libssh.funcs; public import libssh.dconst;
D
import std.stdio; import vibe.d; void index(HTTPServerRequest req, HTTPServerResponse res) { res.render!("index.dt", req); } shared static this() { auto router = new URLRouter; router.get("/", &index); router.get("*", serveStaticFiles("./public/")); auto settings = new HTTPServerSettings; settings.bindAddresses = ["127.0.0.1"]; settings.port = 8080; listenHTTP(settings, router); }
D
instance GRD_5028_GARDIST(Npc_Default) { name[0] = NAME_Gardist; npcType = npctype_guard; guild = GIL_GRD; level = 15; voice = 13; id = 5028; attribute[ATR_STRENGTH] = 80; attribute[ATR_DEXTERITY] = 60; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; attribute[ATR_HITPOINTS_MAX] = 190; attribute[ATR_HITPOINTS] = 190; Mdl_SetVisual(self,"HUMANS.MDS"); Mdl_ApplyOverlayMds(self,"Humans_Militia.mds"); Mdl_SetVisualBody(self,"hum_body_Naked0",0,1,"Hum_Head_Fighter",13,2,grd_armor_l); B_Scale(self); Mdl_SetModelFatness(self,0); fight_tactic = FAI_HUMAN_Strong; Npc_SetTalentSkill(self,NPC_TALENT_1H,2); Npc_SetTalentSkill(self,NPC_TALENT_2H,1); Npc_SetTalentSkill(self,NPC_TALENT_CROSSBOW,1); CreateInvItem(self,ItMw_1H_Sword_02); CreateInvItem(self,ItRw_Crossbow_01); CreateInvItems(self,ItAmBolt,30); CreateInvItem(self,ItFoCheese); CreateInvItem(self,ItFoApple); CreateInvItems(self,ItMiNugget,10); CreateInvItem(self,ItLsTorch); daily_routine = rtn_start_5028; }; func void rtn_start_5028() { TA_StandAround(22,0,6,0,"WP_INTRO_NEW_03"); TA_Smalltalk(6,0,22,0,"OW_START_GRD_SMALLTALK"); };
D
/Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Fluent.build/Entity/Entity.swift.o : /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Utilities/UUID.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Database+Schema.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Blob.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Field.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/ComputedField.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Method+Node.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Filter+Node.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/Query+Page.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/Page.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Storage.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Timestampable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/Paginatable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Transactable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/SoftDeletable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/QueryRepresentable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Row/RowConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Filter+Scope.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/IdentifierType.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Database.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Aggregate.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Scope+String.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Relation+String.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Comparison+String.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Log.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Chunk.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/PivotProtocol.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/ThreadConnectionPool.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/Children.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Join.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/Database+Preparation.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/Preparation.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/Migration.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Action.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Connection.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/KeyNamingConvention.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Comparison.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Query+Group.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Builder.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Modifier.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Query+Filter.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Filter.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Driver.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQLite/SQLiteDriver.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQL/SQLSerializer.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQLite/SQLiteSerializer.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/RelationError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/PaginationError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/PreparationError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/PivotError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/QueryError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/EntityError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Creator.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Executor.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/Siblings.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Utilities/Exports.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Distinct.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Limit.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/Parent.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/Pivot.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/DoublePivot.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Sort.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Row/RowContext.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Raw.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Row/Row.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Index.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/ForeignKey.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Query.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Entity.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Dirty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Node.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/PathIndexable.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/SQLite.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/sqlite.git--8232814251736334455/Sources/CSQLite/include/sqlite3.h /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Fluent.build/Entity~partial.swiftmodule : /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Utilities/UUID.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Database+Schema.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Blob.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Field.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/ComputedField.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Method+Node.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Filter+Node.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/Query+Page.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/Page.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Storage.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Timestampable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/Paginatable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Transactable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/SoftDeletable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/QueryRepresentable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Row/RowConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Filter+Scope.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/IdentifierType.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Database.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Aggregate.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Scope+String.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Relation+String.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Comparison+String.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Log.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Chunk.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/PivotProtocol.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/ThreadConnectionPool.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/Children.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Join.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/Database+Preparation.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/Preparation.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/Migration.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Action.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Connection.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/KeyNamingConvention.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Comparison.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Query+Group.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Builder.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Modifier.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Query+Filter.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Filter.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Driver.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQLite/SQLiteDriver.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQL/SQLSerializer.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQLite/SQLiteSerializer.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/RelationError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/PaginationError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/PreparationError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/PivotError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/QueryError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/EntityError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Creator.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Executor.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/Siblings.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Utilities/Exports.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Distinct.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Limit.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/Parent.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/Pivot.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/DoublePivot.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Sort.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Row/RowContext.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Raw.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Row/Row.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Index.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/ForeignKey.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Query.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Entity.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Dirty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Node.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/PathIndexable.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/SQLite.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/sqlite.git--8232814251736334455/Sources/CSQLite/include/sqlite3.h /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Fluent.build/Entity~partial.swiftdoc : /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Utilities/UUID.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Database+Schema.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Blob.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Field.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/ComputedField.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Method+Node.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Filter+Node.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/Query+Page.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/Page.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Storage.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Timestampable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/Paginatable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Transactable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/SoftDeletable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/QueryRepresentable.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Row/RowConvertible.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Filter+Scope.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/IdentifierType.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Database.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Aggregate.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Scope+String.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Relation+String.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/NodeUtilities/Comparison+String.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Log.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Chunk.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/PivotProtocol.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/ThreadConnectionPool.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/Children.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Join.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/Database+Preparation.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/Preparation.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/Migration.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Action.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Connection.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/KeyNamingConvention.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Comparison.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Query+Group.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Builder.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Modifier.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Query+Filter.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Filter/Filter.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Driver.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQLite/SQLiteDriver.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQL/SQLSerializer.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/SQLite/SQLiteSerializer.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/RelationError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pagination/PaginationError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Preparation/PreparationError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/PivotError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/QueryError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/EntityError.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Creator.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Database/Executor.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/Siblings.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Utilities/Exports.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Distinct.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Limit.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Relations/Parent.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/Pivot.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Pivot/DoublePivot.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Sort.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Row/RowContext.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Raw.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Row/Row.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/Index.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Schema/ForeignKey.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Query/Query.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Entity.swift /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/fluent.git-6251908308727715749/Sources/Fluent/Entity/Dirty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Node.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/PathIndexable.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/SQLite.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/checkouts/sqlite.git--8232814251736334455/Sources/CSQLite/include/sqlite3.h /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/AleixDiaz/Documents/VaporProject/HerokuChat/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
module android.java.android.util.Log_d_interface; import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers; static import arsd.jni; import import1 = android.java.java.lang.Class_d_interface; import import0 = android.java.java.lang.JavaThrowable_d_interface; final class Log : IJavaObject { static immutable string[] _d_canCastTo = [ ]; @Import static int v(string, string); @Import static int v(string, string, import0.JavaThrowable); @Import static int d(string, string); @Import static int d(string, string, import0.JavaThrowable); @Import static int i(string, string); @Import static int i(string, string, import0.JavaThrowable); @Import static int w(string, string); @Import static int w(string, string, import0.JavaThrowable); @Import static bool isLoggable(string, int); @Import static int w(string, import0.JavaThrowable); @Import static int e(string, string); @Import static int e(string, string, import0.JavaThrowable); @Import static int wtf(string, string); @Import static int wtf(string, import0.JavaThrowable); @Import static int wtf(string, string, import0.JavaThrowable); @Import static string getStackTraceString(import0.JavaThrowable); @Import static int println(int, string, string); @Import import1.Class getClass(); @Import int hashCode(); @Import bool equals(IJavaObject); @Import @JavaName("toString") string toString_(); override string toString() { return arsd.jni.javaObjectToString(this); } @Import void notify(); @Import void notifyAll(); @Import void wait(long); @Import void wait(long, int); @Import void wait(); mixin IJavaObjectImplementation!(false); public static immutable string _javaParameterString = "Landroid/util/Log;"; }
D
/* REQUIRED_ARGS: -de TEST_OUTPUT: --- fail_compilation/dip25.d(13): Deprecation: returning `this.buffer[]` escapes a reference to parameter `this`, perhaps annotate with `return` --- */ struct Data { char[256] buffer; @property const(char)[] filename() const pure nothrow { return buffer[]; } } void main() { Data d; const f = d.filename; }
D
a chemical element lacking typical metallic properties not containing or resembling or characteristic of a metal
D
/Users/philipbeadle/holochain/hApps/holochain-ui/dna-src/holo-vault/test/node_modules/@holochain/holochain-nodejs-bleeding/native/target/release/deps/libholochain_core-2d4ba6a47fba5aab.rlib: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/lib.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/action.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/actions/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/actions/commit.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/actions/update_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/chain_store.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/state.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/context.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/add_link.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/hold.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/remove_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/dht_reducers.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/dht_store.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/instance.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/logger.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/get_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/get_validation_package.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/initialize_network.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/publish.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/direct_message.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/entry_with_header.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/get.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/send.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/store.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/get_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/get_validation_package.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/handle_get_result.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/handle_get_validation_package.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/init.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/publish.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/resolve_direct_connection.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/respond_get.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/send_direct_message.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/state.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/build_validation_package.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/get_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/initialize.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/validate.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/call.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/commit.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/debug.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/entry_address.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/get_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/get_links.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/init_globals.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/link_entries.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/query.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/remove_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/update_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/genesis.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/links_utils.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/receive.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/validate_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/validation_package.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/memory.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/run_dna.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/runtime.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/state.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/persister.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/state.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/author_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/get_entry_history.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/respond_validation_package_request.rs /Users/philipbeadle/holochain/hApps/holochain-ui/dna-src/holo-vault/test/node_modules/@holochain/holochain-nodejs-bleeding/native/target/release/deps/holochain_core-2d4ba6a47fba5aab.d: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/lib.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/action.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/actions/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/actions/commit.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/actions/update_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/chain_store.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/state.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/context.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/add_link.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/hold.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/remove_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/dht_reducers.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/dht_store.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/instance.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/logger.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/get_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/get_validation_package.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/initialize_network.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/publish.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/direct_message.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/entry_with_header.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/get.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/send.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/store.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/get_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/get_validation_package.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/handle_get_result.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/handle_get_validation_package.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/init.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/publish.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/resolve_direct_connection.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/respond_get.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/send_direct_message.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/state.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/build_validation_package.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/get_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/initialize.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/validate.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/call.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/commit.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/debug.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/entry_address.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/get_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/get_links.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/init_globals.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/link_entries.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/query.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/remove_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/update_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/genesis.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/links_utils.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/receive.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/validate_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/validation_package.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/memory.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/run_dna.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/runtime.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/state.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/persister.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/state.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/mod.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/author_entry.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/get_entry_history.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/respond_validation_package_request.rs /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/lib.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/action.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/actions/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/actions/commit.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/actions/update_entry.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/chain_store.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/agent/state.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/context.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/add_link.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/hold.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/actions/remove_entry.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/dht_reducers.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/dht/dht_store.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/instance.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/logger.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/get_entry.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/get_validation_package.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/initialize_network.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/actions/publish.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/direct_message.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/entry_with_header.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/get.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/send.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/handler/store.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/get_entry.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/get_validation_package.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/handle_get_result.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/handle_get_validation_package.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/init.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/publish.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/resolve_direct_connection.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/respond_get.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/reducers/send_direct_message.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/network/state.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/build_validation_package.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/get_entry.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/initialize.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/actions/validate.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/call.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/commit.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/debug.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/entry_address.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/get_entry.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/get_links.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/init_globals.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/link_entries.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/query.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/remove_entry.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/api/update_entry.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/genesis.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/links_utils.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/receive.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/validate_entry.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/callback/validation_package.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/memory.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/run_dna.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/ribosome/runtime.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/nucleus/state.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/persister.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/state.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/mod.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/author_entry.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/get_entry_history.rs: /Users/philipbeadle/.cargo/git/checkouts/holochain-rust-c3b6365fc5bfa642/15b1892/core/src/workflows/respond_validation_package_request.rs:
D
# FIXED 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/libs/math/CLAmath/CLAMATH_VERSION/examples/common/2806x_examples_setup.c 2806x_examples_setup.obj: C:/ti/ccsv6/tools/compiler/ti-cgt-c2000_15.12.1.LTS/include/stdint.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/DSP28x_Project.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_Cla_typedefs.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Device.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Adc.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_BootVars.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Cla.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Comp.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_CpuTimers.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_DevEmu.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Dma.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_ECan.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_ECap.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_EPwm.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_EQep.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Gpio.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_HRCap.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_I2c.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Mcbsp.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_NmiIntrupt.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_PieCtrl.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_PieVect.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Spi.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Sci.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_SysCtrl.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Usb.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_XIntrupt.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_Examples.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_GlobalPrototypes.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_EPwm_defines.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_I2c_defines.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_Dma_defines.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_Cla_defines.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_DefaultISR.h 2806x_examples_setup.obj: C:/Users/a0272561/Repositories/cs30_controlsuite/libs/math/CLAmath/CLAMATH_VERSION/examples/2806x_sin/CLAShared.h C:/Users/a0272561/Repositories/cs30_controlsuite/libs/math/CLAmath/CLAMATH_VERSION/examples/common/2806x_examples_setup.c: C:/ti/ccsv6/tools/compiler/ti-cgt-c2000_15.12.1.LTS/include/stdint.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/DSP28x_Project.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_Cla_typedefs.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Device.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Adc.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_BootVars.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Cla.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Comp.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_CpuTimers.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_DevEmu.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Dma.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_ECan.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_ECap.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_EPwm.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_EQep.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Gpio.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_HRCap.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_I2c.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Mcbsp.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_NmiIntrupt.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_PieCtrl.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_PieVect.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Spi.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Sci.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_SysCtrl.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_Usb.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_headers/include/F2806x_XIntrupt.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_Examples.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_GlobalPrototypes.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_EPwm_defines.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_I2c_defines.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_Dma_defines.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_Cla_defines.h: C:/Users/a0272561/Repositories/cs30_controlsuite/device_support/f2806x/version/F2806x_common/include/F2806x_DefaultISR.h: C:/Users/a0272561/Repositories/cs30_controlsuite/libs/math/CLAmath/CLAMATH_VERSION/examples/2806x_sin/CLAShared.h:
D
module android.java.android.telephony.AccessNetworkConstants_EutranBand; public import android.java.android.telephony.AccessNetworkConstants_EutranBand_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!AccessNetworkConstants_EutranBand; import import0 = android.java.java.lang.Class;
D
/// module adrdox;
D
# FIXED wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/source/wdog.c wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/DSP28x_Project.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Device.h wdog.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/assert.h wdog.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/_ti_config.h wdog.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/linkage.h wdog.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/stdarg.h wdog.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/stdbool.h wdog.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/stddef.h wdog.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/stdint.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Adc.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_BootVars.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_DevEmu.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Comp.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_CpuTimers.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_ECap.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_EPwm.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Gpio.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_I2c.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_NmiIntrupt.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_PieCtrl.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_PieVect.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Spi.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Sci.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_SysCtrl.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_XIntrupt.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/f2802x_examples.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/f2802x_globalprototypes.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/f2802x_epwm_defines.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/f2802x_i2c_defines.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/f2802x_defaultisr.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/wdog.h wdog.obj: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/cpu.h C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/source/wdog.c: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/DSP28x_Project.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Device.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/assert.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/_ti_config.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/linkage.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/stdarg.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/stdbool.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/stddef.h: C:/ti/ccsv8/tools/compiler/ti-cgt-c2000_18.1.3.LTS/include/stdint.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Adc.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_BootVars.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_DevEmu.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Comp.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_CpuTimers.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_ECap.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_EPwm.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Gpio.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_I2c.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_NmiIntrupt.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_PieCtrl.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_PieVect.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Spi.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_Sci.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_SysCtrl.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/headers/include/F2802x_XIntrupt.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/f2802x_examples.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/f2802x_globalprototypes.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/f2802x_epwm_defines.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/f2802x_i2c_defines.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/f2802x_defaultisr.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/wdog.h: C:/ti/c2000/C2000Ware_1_00_05_00/device_support/f2802x/common/include/cpu.h:
D
import std.stdio; void main(string[] arguments) { writeln("Hello World"); }
D
module hunt.http.HttpOptions; import hunt.http.HttpVersion; import hunt.net.KeyCertOptions; import hunt.net.TcpSslOptions; import std.datetime; // dfmt off version(WITH_HUNT_SECURITY) { import hunt.net.secure.conscrypt.ConscryptSecureSessionFactory; import hunt.net.secure.conscrypt.AbstractConscryptSSLContextFactory; import hunt.net.secure.SecureSessionFactory; } // dfmt on deprecated("Using HttpOptions instead.") alias HttpConfiguration = HttpOptions; /** * */ class HttpOptions { // TCP settings private TcpSslOptions tcpSslOptions; // SSL/TLS settings private bool _isCertificateAuth = false; // HTTP settings enum int DEFAULT_WINDOW_SIZE = 65535; private int maxDynamicTableSize = 4096; private int streamIdleTimeout = 10 * 1000; private string flowControlStrategy = "buffer"; private int initialStreamSendWindow = DEFAULT_WINDOW_SIZE; private int initialSessionRecvWindow = DEFAULT_WINDOW_SIZE; private int maxConcurrentStreams = -1; private int maxHeaderBlockFragment = 0; private int maxRequestHeadLength = 4 * 1024; private int maxRequestTrailerLength = 4 * 1024; private int maxResponseHeadLength = 4 * 1024; private int maxResponseTrailerLength = 4 * 1024; private string characterEncoding = "UTF-8"; private string protocol; // HTTP/2.0, HTTP/1.1 private int http2PingInterval = 10 * 1000; // WebSocket settings private int websocketPingInterval = 10 * 1000; // this() { // this(new TcpSslOptions()); // } this(TcpSslOptions tcpSslOptions) { this.tcpSslOptions = tcpSslOptions; protocol = HttpVersion.HTTP_1_1.asString(); } /** * Get the TCP configuration. * * @return The TCP configuration. */ TcpSslOptions getTcpConfiguration() { return tcpSslOptions; } /** * Set the TCP configuration. * * @param tcpSslOptions The TCP configuration. */ void setTcpConfiguration(TcpSslOptions tcpSslOptions) { this.tcpSslOptions = tcpSslOptions; } /** * Get the max dynamic table size of HTTP2 protocol. * * @return The max dynamic table size of HTTP2 protocol. */ int getMaxDynamicTableSize() { return maxDynamicTableSize; } /** * Set the max dynamic table size of HTTP2 protocol. * * @param maxDynamicTableSize The max dynamic table size of HTTP2 protocol. */ void setMaxDynamicTableSize(int maxDynamicTableSize) { this.maxDynamicTableSize = maxDynamicTableSize; } /** * Get the HTTP2 stream idle timeout. The time unit is millisecond. * * @return The HTTP2 stream idle timeout. The time unit is millisecond. */ int getStreamIdleTimeout() { return streamIdleTimeout; } /** * Set the HTTP2 stream idle timeout. The time unit is millisecond. * * @param streamIdleTimeout The HTTP2 stream idle timeout. The time unit is millisecond. */ void setStreamIdleTimeout(int streamIdleTimeout) { this.streamIdleTimeout = streamIdleTimeout; } /** * Get the HTTP2 flow control strategy. The value is "simple" or "buffer". * If you use the "simple" flow control strategy, once the server or client receives the data, it will send the WindowUpdateFrame. * If you use the "buffer" flow control strategy, the server or client will send WindowUpdateFrame when the consumed data exceed the threshold. * * @return The HTTP2 flow control strategy. The value is "simple" or "buffer". */ string getFlowControlStrategy() { return flowControlStrategy; } /** * Set the HTTP2 flow control strategy. The value is "simple" or "buffer". * If you use the "simple" flow control strategy, once the server or client receives the data, it will send the WindowUpdateFrame. * If you use the "buffer" flow control strategy, the server or client will send WindowUpdateFrame when the consumed data exceed the threshold. * * @param flowControlStrategy The HTTP2 flow control strategy. The value is "simple" or "buffer". */ void setFlowControlStrategy(string flowControlStrategy) { this.flowControlStrategy = flowControlStrategy; } /** * Get the HTTP2 initial receiving window size. The unit is byte. * * @return the HTTP2 initial receiving window size. The unit is byte. */ int getInitialSessionRecvWindow() { return initialSessionRecvWindow; } /** * Set the HTTP2 initial receiving window size. The unit is byte. * * @param initialSessionRecvWindow The HTTP2 initial receiving window size. The unit is byte. */ void setInitialSessionRecvWindow(int initialSessionRecvWindow) { this.initialSessionRecvWindow = initialSessionRecvWindow; } /** * Get the HTTP2 initial sending window size. The unit is byte. * * @return The HTTP2 initial sending window size. The unit is byte. */ int getInitialStreamSendWindow() { return initialStreamSendWindow; } /** * Set the HTTP2 initial sending window size. The unit is byte. * * @param initialStreamSendWindow the HTTP2 initial sending window size. The unit is byte. */ void setInitialStreamSendWindow(int initialStreamSendWindow) { this.initialStreamSendWindow = initialStreamSendWindow; } /** * Get the max concurrent stream size in a HTTP2 session. * * @return the max concurrent stream size in a HTTP2 session. */ int getMaxConcurrentStreams() { return maxConcurrentStreams; } /** * Set the max concurrent stream size in a HTTP2 session. * * @param maxConcurrentStreams the max concurrent stream size in a HTTP2 session. */ void setMaxConcurrentStreams(int maxConcurrentStreams) { this.maxConcurrentStreams = maxConcurrentStreams; } /** * Set the max HTTP2 header block size. If the header block size more the this value, * the server or client will split the header buffer to many buffers to send. * * @return the max HTTP2 header block size. */ int getMaxHeaderBlockFragment() { return maxHeaderBlockFragment; } /** * Get the max HTTP2 header block size. If the header block size more the this value, * the server or client will split the header buffer to many buffers to send. * * @param maxHeaderBlockFragment The max HTTP2 header block size. */ void setMaxHeaderBlockFragment(int maxHeaderBlockFragment) { this.maxHeaderBlockFragment = maxHeaderBlockFragment; } /** * Get the max HTTP request header size. * * @return the max HTTP request header size. */ int getMaxRequestHeadLength() { return maxRequestHeadLength; } /** * Set the max HTTP request header size. * * @param maxRequestHeadLength the max HTTP request header size. */ void setMaxRequestHeadLength(int maxRequestHeadLength) { this.maxRequestHeadLength = maxRequestHeadLength; } /** * Get the max HTTP response header size. * * @return the max HTTP response header size. */ int getMaxResponseHeadLength() { return maxResponseHeadLength; } /** * Set the max HTTP response header size. * * @param maxResponseHeadLength the max HTTP response header size. */ void setMaxResponseHeadLength(int maxResponseHeadLength) { this.maxResponseHeadLength = maxResponseHeadLength; } /** * Get the max HTTP request trailer size. * * @return the max HTTP request trailer size. */ int getMaxRequestTrailerLength() { return maxRequestTrailerLength; } /** * Set the max HTTP request trailer size. * * @param maxRequestTrailerLength the max HTTP request trailer size. */ void setMaxRequestTrailerLength(int maxRequestTrailerLength) { this.maxRequestTrailerLength = maxRequestTrailerLength; } /** * Get the max HTTP response trailer size. * * @return the max HTTP response trailer size. */ int getMaxResponseTrailerLength() { return maxResponseTrailerLength; } /** * Set the max HTTP response trailer size. * * @param maxResponseTrailerLength the max HTTP response trailer size. */ void setMaxResponseTrailerLength(int maxResponseTrailerLength) { this.maxResponseTrailerLength = maxResponseTrailerLength; } /** * Get the charset of the text HTTP body. * * @return the charset of the text HTTP body. */ string getCharacterEncoding() { return characterEncoding; } /** * Set the charset of the text HTTP body. * * @param characterEncoding the charset of the text HTTP body. */ void setCharacterEncoding(string characterEncoding) { this.characterEncoding = characterEncoding; } /** * If return true, the server or client enable the SSL/TLS connection. * * @return If return true, the server or client enable the SSL/TLS connection. */ bool isSecureConnectionEnabled() { return tcpSslOptions.isSsl(); } /** * If set true, the server or client enable the SSL/TLS connection. * * @param isSecureConnectionEnabled If set true, the server or client enable the SSL/TLS connection. */ void isSecureConnectionEnabled(bool status) { this.tcpSslOptions.setSsl(status); } void setSecureConnectionEnabled(bool status) { this.tcpSslOptions.setSsl(status); } bool isCertificateAuth() { return _isCertificateAuth; } void isCertificateAuth(bool flag) { _isCertificateAuth = flag; if(flag) { isSecureConnectionEnabled = true; } } void setKeyCertOptions(KeyCertOptions options) { this.tcpSslOptions.setKeyCertOptions(options); } KeyCertOptions getKeyCertOptions() { return this.tcpSslOptions.getKeyCertOptions(); } /** * Get the default HTTP protocol version. The value is "HTTP/2.0" or "HTTP/1.1". If the value is null, * the server or client will negotiate a HTTP protocol version using ALPN. * * @return the default HTTP protocol version. The value is "HTTP/2.0" or "HTTP/1.1". */ string getProtocol() { return protocol; } /** * Set the default HTTP protocol version. The value is "HTTP/2.0" or "HTTP/1.1". If the value is null, * the server or client will negotiate a HTTP protocol version using ALPN. * * @param protocol the default HTTP protocol version. The value is "HTTP/2.0" or "HTTP/1.1". */ void setProtocol(string protocol) { this.protocol = protocol; } /** * Get the HTTP2 connection sending ping frame interval. The time unit is millisecond. * * @return the sending ping frame interval. The time unit is millisecond. */ int getHttp2PingInterval() { return http2PingInterval; } /** * Set the sending ping frame interval. The time unit is millisecond. * * @param http2PingInterval the sending ping frame interval. The time unit is millisecond. */ void setHttp2PingInterval(int http2PingInterval) { this.http2PingInterval = http2PingInterval; } /** * Get the WebSocket connection sending ping frame interval. The time unit is millisecond. * * @return the WebSocket connection sending ping frame interval. The time unit is millisecond. */ int getWebsocketPingInterval() { return websocketPingInterval; } /** * Set the WebSocket connection sending ping frame interval. The time unit is millisecond. * * @param websocketPingInterval the WebSocket connection sending ping frame interval. The time unit is millisecond. */ void setWebsocketPingInterval(int websocketPingInterval) { this.websocketPingInterval = websocketPingInterval; } void setRetryTimes(int times) { tcpSslOptions.setRetryTimes(times); } void setRetryInterval(Duration timeout) { tcpSslOptions.setRetryInterval(timeout); } }
D
/* -------------------- CZ CHANGELOG -------------------- */ /* v1.00: func int B_TeachAttributePoints - dovysvětlení nejasné formulace func int b_teachattributepointstarinaks - dovysvětlení nejasné formulace */ func int B_GetLearnCostFutureAttribute(var C_Npc oth,var int attribut,var int FutAtrib) { var int kosten; kosten = 0; if(attribut == ATR_STRENGTH) { if(FutAtrib >= 400) { if((FutAtrib >= oth.aivar[REAL_DEXTERITY]) && (FutAtrib >= oth.aivar[REAL_MANA_MAX])) { kosten = 6; } else { kosten = 10; }; } else if(FutAtrib >= 300) { if((FutAtrib >= oth.aivar[REAL_DEXTERITY]) && (FutAtrib >= oth.aivar[REAL_MANA_MAX])) { kosten = 5; } else { kosten = 8; }; } else if(FutAtrib >= 200) { if((FutAtrib >= oth.aivar[REAL_DEXTERITY]) && (FutAtrib >= oth.aivar[REAL_MANA_MAX])) { kosten = 4; } else { kosten = 6; }; } else if(FutAtrib >= 100) { if((FutAtrib >= oth.aivar[REAL_DEXTERITY]) && (FutAtrib >= oth.aivar[REAL_MANA_MAX])) { kosten = 3; } else { kosten = 4; }; } else if(FutAtrib >= 50) { if((FutAtrib >= oth.aivar[REAL_DEXTERITY]) && (FutAtrib >= oth.aivar[REAL_MANA_MAX])) { kosten = 2; } else { kosten = 3; }; } else { kosten = 1; }; }; if(attribut == ATR_DEXTERITY) { if(FutAtrib >= 400) { if((FutAtrib >= oth.aivar[REAL_STRENGTH]) && (FutAtrib >= oth.aivar[REAL_MANA_MAX])) { kosten = 6; } else { kosten = 10; }; } else if(FutAtrib >= 300) { if((FutAtrib >= oth.aivar[REAL_STRENGTH]) && (FutAtrib >= oth.aivar[REAL_MANA_MAX])) { kosten = 5; } else { kosten = 8; }; } else if(FutAtrib >= 200) { if((FutAtrib >= oth.aivar[REAL_STRENGTH]) && (FutAtrib >= oth.aivar[REAL_MANA_MAX])) { kosten = 4; } else { kosten = 6; }; } else if(FutAtrib >= 100) { if((FutAtrib >= oth.aivar[REAL_STRENGTH]) && (FutAtrib >= oth.aivar[REAL_MANA_MAX])) { kosten = 3; } else { kosten = 4; }; } else if(FutAtrib >= 50) { if((FutAtrib >= oth.aivar[REAL_STRENGTH]) && (FutAtrib >= oth.aivar[REAL_MANA_MAX])) { kosten = 2; } else { kosten = 3; }; } else { kosten = 1; }; }; if(attribut == ATR_MANA_MAX) { if(FutAtrib >= 600) { if((FutAtrib >= oth.aivar[REAL_STRENGTH]) && (FutAtrib >= oth.aivar[REAL_DEXTERITY])) { kosten = 6; } else { kosten = 10; }; } else if(FutAtrib >= 400) { if((FutAtrib >= oth.aivar[REAL_STRENGTH]) && (FutAtrib >= oth.aivar[REAL_DEXTERITY])) { kosten = 5; } else { kosten = 8; }; } else if(FutAtrib >= 200) { if((FutAtrib >= oth.aivar[REAL_STRENGTH]) && (FutAtrib >= oth.aivar[REAL_DEXTERITY])) { kosten = 4; } else { kosten = 6; }; } else if(FutAtrib >= 100) { if((FutAtrib >= oth.aivar[REAL_STRENGTH]) && (FutAtrib >= oth.aivar[REAL_DEXTERITY])) { kosten = 3; } else { kosten = 4; }; } else if(FutAtrib >= 50) { if((FutAtrib >= oth.aivar[REAL_STRENGTH]) && (FutAtrib >= oth.aivar[REAL_DEXTERITY])) { kosten = 2; } else { kosten = 3; }; } else { kosten = 1; }; }; return kosten; }; func int B_TeachAttributePoints(var C_Npc slf,var C_Npc oth,var int attrib,var int points,var int teacherMAX) { var string concatText; var int kosten; var int realAttribute; var int money; var int TEMPSSBMODE; var int FutAtrib; var int NowAtribCost; var int FutAtribCost; if(points > 1) { if(attrib == ATR_STRENGTH) { FutAtrib = oth.aivar[REAL_STRENGTH] + points; FutAtribCost = B_GetLearnCostFutureAttribute(oth,attrib,FutAtrib); } else if(attrib == ATR_DEXTERITY) { FutAtrib = oth.aivar[REAL_DEXTERITY] + points; FutAtribCost = B_GetLearnCostFutureAttribute(oth,attrib,FutAtrib); } else if(attrib == ATR_MANA_MAX) { FutAtrib = oth.aivar[REAL_MANA_MAX] + points; FutAtribCost = B_GetLearnCostFutureAttribute(oth,attrib,FutAtrib); }; NowAtribCost = B_GetLearnCostAttribute(oth,attrib); if(FutAtribCost > NowAtribCost) { AI_PrintClr(PRINT_NoDoThis,177,58,17); AI_PrintClr("(Pro dosažení dalšího intervalu navyšuj",177,58,17); AI_PrintClr("atribut pouze po jednom bodu.)",177,58,17); return FALSE; }; }; kosten = B_GetLearnCostAttribute(oth,attrib) * points; if(SBMODE == 2) { TEMPSSBMODE = 2; } else if(SBMODE == 4) { TEMPSSBMODE = 4; } else { TEMPSSBMODE = 1; }; if(hero.level >= 100) { money = (kosten * 200) / TEMPSSBMODE; } else if(hero.level >= 70) { money = (kosten * 175) / TEMPSSBMODE; } else if(hero.level >= 60) { money = (kosten * 150) / TEMPSSBMODE; } else if(hero.level >= 50) { money = (kosten * 125) / TEMPSSBMODE; } else if(hero.level >= 45) { money = (kosten * 100) / TEMPSSBMODE; } else if(hero.level >= 40) { money = (kosten * 90) / TEMPSSBMODE; } else if(hero.level >= 35) { money = (kosten * 80) / TEMPSSBMODE; } else if(hero.level >= 30) { money = (kosten * 70) / TEMPSSBMODE; } else if(hero.level >= 25) { money = (kosten * 60) / TEMPSSBMODE; } else if(hero.level >= 20) { money = (kosten * 50) / TEMPSSBMODE; } else if(hero.level >= 15) { money = (kosten * 40) / TEMPSSBMODE; } else if(hero.level >= 10) { money = (kosten * 30) / TEMPSSBMODE; } else if(hero.level >= 5) { money = (kosten * 20) / TEMPSSBMODE; } else { money = (kosten * 10) / TEMPSSBMODE; }; if((attrib != ATR_STRENGTH) && (attrib != ATR_DEXTERITY) && (attrib != ATR_MANA_MAX)) { Print("*** ERROR: Wrong Parameter ***"); return FALSE; }; if(attrib == ATR_STRENGTH) { realAttribute = oth.attribute[ATR_STRENGTH]; } else if(attrib == ATR_DEXTERITY) { realAttribute = oth.attribute[ATR_DEXTERITY]; } else if(attrib == ATR_MANA_MAX) { realAttribute = oth.attribute[ATR_MANA_MAX]; }; if(realAttribute >= teacherMAX) { concatText = ConcatStrings(PRINT_NoLearnOverPersonalMAX,IntToString(teacherMAX)); AI_PrintClr(concatText,177,58,17); return FALSE; }; if((realAttribute + points) > teacherMAX) { concatText = ConcatStrings(PRINT_NoLearnOverPersonalMAX,IntToString(teacherMAX)); AI_PrintClr(concatText,177,58,17); return FALSE; }; if(oth.lp < kosten) { AI_PrintClr(PRINT_NotEnoughLP,177,58,17); return FALSE; }; if(Npc_HasItems(oth,ItMi_Gold) < money) { AI_PrintClr(Print_NotEnoughGold,177,58,17); return FALSE; }; oth.lp = oth.lp - kosten; RankPoints = RankPoints + kosten; Npc_RemoveInvItems(oth,ItMi_Gold,money); B_RaiseAttribute(oth,attrib,points); return TRUE; }; func int b_teachattributepointstarinaks(var C_Npc slf,var C_Npc oth,var int attrib,var int points,var int teacherMAX) { var string concatText; var int kosten; var int realAttribute; var int FutAtrib; var int NowAtribCost; var int FutAtribCost; if(points > 1) { if(attrib == ATR_STRENGTH) { FutAtrib = oth.aivar[REAL_STRENGTH] + points; FutAtribCost = B_GetLearnCostFutureAttribute(oth,attrib,FutAtrib); } else if(attrib == ATR_DEXTERITY) { FutAtrib = oth.aivar[REAL_DEXTERITY] + points; FutAtribCost = B_GetLearnCostFutureAttribute(oth,attrib,FutAtrib); } else if(attrib == ATR_MANA_MAX) { FutAtrib = oth.aivar[REAL_MANA_MAX] + points; FutAtribCost = B_GetLearnCostFutureAttribute(oth,attrib,FutAtrib); }; NowAtribCost = B_GetLearnCostAttribute(oth,attrib); if(FutAtribCost > NowAtribCost) { AI_PrintClr(PRINT_NoDoThis,177,58,17); AI_PrintClr("(Pro dosažení dalšího intervalu navyšuj",177,58,17); AI_PrintClr("atribut pouze po jednom bodu.)",177,58,17); return FALSE; }; }; kosten = B_GetLearnCostAttribute(oth,attrib) * points; if((attrib != ATR_STRENGTH) && (attrib != ATR_DEXTERITY) && (attrib != ATR_MANA_MAX)) { Print("*** ERROR: Wrong Parameter ***"); return FALSE; }; if(attrib == ATR_STRENGTH) { realAttribute = oth.attribute[ATR_STRENGTH]; } else if(attrib == ATR_DEXTERITY) { realAttribute = oth.attribute[ATR_DEXTERITY]; } else if(attrib == ATR_MANA_MAX) { realAttribute = oth.attribute[ATR_MANA_MAX]; }; if(realAttribute >= teacherMAX) { concatText = ConcatStrings(PRINT_NoLearnOverPersonalMAX,IntToString(teacherMAX)); AI_PrintClr(concatText,177,58,17); return FALSE; }; if((realAttribute + points) > teacherMAX) { concatText = ConcatStrings(PRINT_NoLearnOverPersonalMAX,IntToString(teacherMAX)); AI_PrintClr(concatText,177,58,17); return FALSE; }; if(oth.lp < kosten) { AI_PrintClr(PRINT_NotEnoughLP,177,58,17); return FALSE; }; oth.lp = oth.lp - kosten; RankPoints = RankPoints + kosten; B_RaiseAttribute(oth,attrib,points); return TRUE; }; func int B_TeachShield(var C_Npc slf,var C_Npc oth,var int points,var int teacherMAX) { var string concatText; var int kosten; var int money; var int RealShield; kosten = points; money = points * 250; RealShield = hero.attribute[ATR_REGENERATEMANA]; if(RealShield >= teacherMAX) { concatText = ConcatStrings(PRINT_NoLearnOverPersonalMAX,IntToString(teacherMAX)); AI_PrintClr(concatText,177,58,17); return FALSE; }; if(oth.lp < kosten) { AI_PrintClr(PRINT_NotEnoughLP,177,58,17); return FALSE; }; if(Npc_HasItems(oth,ItMi_Gold) < money) { AI_PrintClr(Print_NotEnoughGold,177,58,17); return FALSE; }; hero.lp = hero.lp - kosten; RankPoints = RankPoints + kosten; Npc_RemoveInvItems(hero,ItMi_Gold,money); Snd_Play("LevelUP"); hero.attribute[ATR_REGENERATEMANA] = hero.attribute[ATR_REGENERATEMANA] + points; if(hero.attribute[ATR_REGENERATEMANA] > 100) { hero.attribute[ATR_REGENERATEMANA] = 100; }; if((AIV_Shield_01 == TRUE) || (AIV_Shield_02 == TRUE) || (AIV_Shield_03 == TRUE) || (AIV_Shield_04 == TRUE) || (AIV_Shield_05 == TRUE) || (AIV_Shield_06 == TRUE) || (AIV_Shield_07 == TRUE) || (AIV_Shield_Caracust == TRUE)) { Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS"); Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS"); Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS"); Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS"); Mdl_RemoveOverlayMds(hero,"Hum_Shield2.MDS"); Mdl_RemoveOverlayMds(hero,"Shield.MDS"); Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS"); if(LowHealth == TRUE) { Mdl_ApplyOverlayMds(hero,"PRE_Hum_Shield2.MDS"); } else { if(hero.attribute[ATR_REGENERATEMANA] >= 90) { Mdl_ApplyOverlayMds(hero,"Shield_ST4.MDS"); } else if(hero.attribute[ATR_REGENERATEMANA] >= 60) { Mdl_ApplyOverlayMds(hero,"Shield_ST3.MDS"); } else if(hero.attribute[ATR_REGENERATEMANA] >= 30) { Mdl_ApplyOverlayMds(hero,"Shield_ST2.MDS"); } else if(hero.attribute[ATR_REGENERATEMANA] >= 1) { Mdl_ApplyOverlayMds(hero,"Shield_ST4.MDS"); }; }; }; if(hero.attribute[ATR_REGENERATEMANA] >= 90) { Npc_SetTalentSkill(oth,NPC_TALENT_RHETORIKA,4); } else if(hero.attribute[ATR_REGENERATEMANA] >= 60) { Npc_SetTalentSkill(oth,NPC_TALENT_RHETORIKA,3); } else if(hero.attribute[ATR_REGENERATEMANA] >= 30) { Npc_SetTalentSkill(oth,NPC_TALENT_RHETORIKA,2); } else { Npc_SetTalentSkill(oth,NPC_TALENT_RHETORIKA,1); }; if(hero.attribute[ATR_REGENERATEMANA] <= 100) { Npc_SetTalentValue(oth,NPC_TALENT_RHETORIKA,hero.attribute[ATR_REGENERATEMANA]); }; concatText = ConcatStrings(PRINT_Shield," + "); concatText = ConcatStrings(concatText,IntToString(points)); concatText = ConcatStrings(concatText," (Dovednost: "); concatText = ConcatStrings(concatText,IntToString(hero.attribute[ATR_REGENERATEMANA])); concatText = ConcatStrings(concatText,"%)"); AI_Print(concatText); return TRUE; }; func int B_TeachShieldNoMoney(var C_Npc slf,var C_Npc oth,var int points,var int teacherMAX) { var string concatText; var int kosten; var int RealShield; kosten = points; RealShield = hero.attribute[ATR_REGENERATEMANA]; if(RealShield >= teacherMAX) { concatText = ConcatStrings(PRINT_NoLearnOverPersonalMAX,IntToString(teacherMAX)); AI_PrintClr(concatText,177,58,17); return FALSE; }; if(oth.lp < kosten) { AI_PrintClr(PRINT_NotEnoughLP,177,58,17); return FALSE; }; hero.lp = hero.lp - kosten; RankPoints = RankPoints + kosten; Snd_Play("LevelUP"); hero.attribute[ATR_REGENERATEMANA] = hero.attribute[ATR_REGENERATEMANA] + points; if(hero.attribute[ATR_REGENERATEMANA] > 100) { hero.attribute[ATR_REGENERATEMANA] = 100; }; if((AIV_Shield_01 == TRUE) || (AIV_Shield_02 == TRUE) || (AIV_Shield_03 == TRUE) || (AIV_Shield_04 == TRUE) || (AIV_Shield_05 == TRUE) || (AIV_Shield_06 == TRUE) || (AIV_Shield_07 == TRUE) || (AIV_Shield_Caracust == TRUE)) { Mdl_RemoveOverlayMds(hero,"Shield_ST1.MDS"); Mdl_RemoveOverlayMds(hero,"Shield_ST2.MDS"); Mdl_RemoveOverlayMds(hero,"Shield_ST3.MDS"); Mdl_RemoveOverlayMds(hero,"Shield_ST4.MDS"); Mdl_RemoveOverlayMds(hero,"Hum_Shield2.MDS"); Mdl_RemoveOverlayMds(hero,"Shield.MDS"); Mdl_RemoveOverlayMds(hero,"PRE_Hum_Shield2.MDS"); if(LowHealth == TRUE) { Mdl_ApplyOverlayMds(hero,"PRE_Hum_Shield2.MDS"); } else { if(hero.attribute[ATR_REGENERATEMANA] >= 90) { Mdl_ApplyOverlayMds(hero,"Shield_ST4.MDS"); } else if(hero.attribute[ATR_REGENERATEMANA] >= 60) { Mdl_ApplyOverlayMds(hero,"Shield_ST3.MDS"); } else if(hero.attribute[ATR_REGENERATEMANA] >= 30) { Mdl_ApplyOverlayMds(hero,"Shield_ST2.MDS"); } else if(hero.attribute[ATR_REGENERATEMANA] >= 1) { Mdl_ApplyOverlayMds(hero,"Shield_ST4.MDS"); }; }; }; if(hero.attribute[ATR_REGENERATEMANA] >= 90) { Npc_SetTalentSkill(oth,NPC_TALENT_RHETORIKA,4); } else if(hero.attribute[ATR_REGENERATEMANA] >= 60) { Npc_SetTalentSkill(oth,NPC_TALENT_RHETORIKA,3); } else if(hero.attribute[ATR_REGENERATEMANA] >= 30) { Npc_SetTalentSkill(oth,NPC_TALENT_RHETORIKA,2); } else { Npc_SetTalentSkill(oth,NPC_TALENT_RHETORIKA,1); }; if(hero.attribute[ATR_REGENERATEMANA] <= 100) { Npc_SetTalentValue(oth,NPC_TALENT_RHETORIKA,hero.attribute[ATR_REGENERATEMANA]); }; concatText = ConcatStrings(PRINT_Shield," + "); concatText = ConcatStrings(concatText,IntToString(points)); concatText = ConcatStrings(concatText," (Dovednost: "); concatText = ConcatStrings(concatText,IntToString(hero.attribute[ATR_REGENERATEMANA])); concatText = ConcatStrings(concatText,"%)"); AI_Print(concatText); return TRUE; };
D
/Users/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/Constants.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/Date+Bundle.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/Date+Comparators.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/Date+Components.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/Date+Format.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/Date+Inits.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/Date+Manipulations.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/Date+TimeAgo.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/Enums.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/Integer+DateTools.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/TimeChunk.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/TimePeriod.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/TimePeriodChain.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/TimePeriodCollection.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/TimePeriodGroup.o : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/DateToolsSwift.swiftmodule : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/DateToolsSwift.swiftdoc : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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/brent/Repos/iOS/DateTools/build/DateToolsSwift.build/Release/DateToolsSwift.build/Objects-normal/x86_64/DateToolsSwift-Swift.h : /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriod.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Bundle.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimeChunk.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodChain.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodCollection.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+TimeAgo.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/TimePeriodGroup.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Integer+DateTools.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Enums.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Manipulations.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Comparators.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Inits.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Constants.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Components.swift /Users/brent/Repos/iOS/DateTools/Sources/DateToolsSwift/DateTools/Date+Format.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/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/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
/home/zbf/workspace/git/RTAP/target/debug/build/libc-274c2b6fdda3040b/build_script_build-274c2b6fdda3040b: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/libc-0.2.65/build.rs /home/zbf/workspace/git/RTAP/target/debug/build/libc-274c2b6fdda3040b/build_script_build-274c2b6fdda3040b.d: /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/libc-0.2.65/build.rs /home/zbf/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/libc-0.2.65/build.rs:
D
/* * Copyright (c) 2004-2008 Derelict Developers * All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * * Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * * 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. * * * Neither the names 'Derelict', 'DerelictGL', nor the names of its contributors * may be used to endorse or promote products derived from this software * without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED * TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR * PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER 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. */ module derelict.opengl.extension.ati.texture_mirror_once; private { import derelict.opengl.gltypes; import derelict.opengl.gl; import derelict.util.wrapper; } private bool enabled = false; struct ATITextureMirrorOnce { static bool load(char[] extString) { if(extString.findStr("GL_ATI_texture_mirror_once") == -1) return false; enabled = true; return true; } static bool isEnabled() { return enabled; } } version(DerelictGL_NoExtensionLoaders) { } else { static this() { DerelictGL.registerExtensionLoader(&ATITextureMirrorOnce.load); } } enum : GLenum { GL_MIRROR_CLAMP_ATI = 0x8742, GL_MIRROR_CLAMP_TO_EDGE_ATI = 0x8743, }
D
module log; struct Log { static const string fileName = "t_parser.log"; static bool logged = false; static void error( string msg ) { toConsole( "error: " ~ msg ); toFile( "error: " ~ msg ~ "\n" ); } static void toConsole( string msg ) { import std.stdio : writeln; writeln( msg ); } static void toFile( string msg ) { import std.file : append; import std.file : exists; import std.file : remove; // remove prev log file if ( !logged ) { if ( exists( fileName ) ) { remove( fileName ); } logged = true; } append( fileName, msg ); } }
D
module app.controller.UserController; import std.json; import std.datetime; import std.digest.md; import hunt.regFormamework; import hunt.entity; import hunt.logging; import hunt.http.codec.http.model.Cookie; import hunt.http.codec.http.model.HttpMethod; import hunt.http.codec.http.model.HttpHeader; import hunt.util.MimeType; import hunt.util.serialize; import app.model.User; import app.model.Comment; import app.model.Post; import app.form.RegisterForm; import app.form.LoginForm; import app.repository.PostRepository; import app.repository.UsersRepository; import app.repository.CommentRepository; import app.helper.UserHelper; class UserController : Controller { mixin MakeController; @Action Response login(LoginForm loginForm) { if (request.method() == "POST") { view.assign("LoginForm", loginForm); auto result = loginForm.valid(); if (result.isValid()) { auto find = (new UsersRepository).findByUsername(loginForm.name); if (find) { auto md5 = new MD5Digest(); ubyte[] hash = md5.digest(loginForm.password); if (find.user_pass == toLower(toHexString(hash))) { HttpSession session = request.session(true); // logDebug("write User : ", cast(string) serialize!User(find)); session.set("USER", cast(string) serialize!User(find)); request.flush(); return new RedirectResponse("/index"); } else { view.assign("errorMessages", ["Password Error"]); } } else view.assign("errorMessages", ["The user does not exist"]); } else view.assign("errorMessages", result.messages()); } response.setContent(view.render("login")); return response; } @Action Response logout() { auto session = request.session(); if (session !is null) { if (request.session.has("USER")) { request.session.remove("USER"); } request.flush(); } return new RedirectResponse("/login"); } @Action Response register(RegisterForm regForm) { if (request.method() == "POST") { view.assign("RegisterForm",regForm); auto result = regForm.valid(); if (result.isValid()) { auto find = (new UsersRepository).findByUserlogin(regForm.name); if (find is null) { auto md5 = new MD5Digest(); ubyte[] hash = md5.digest(regForm.password); User user = new User(); user.user_login = regForm.name; user.display_name = regForm.name; user.user_nicename = regForm.name; user.user_pass = toLower(toHexString(hash)); user.user_email = regForm.email; user.user_registered = Clock.currTime.toISOExtString(); (new UsersRepository).save(user); return new RedirectResponse("/login"); } else { view.assign("errorMessages", ["The user is registered"]); } } else view.assign("errorMessages", result.messages()); } response.setContent(view.render("register")); return response; } @Action Response profile() { auto user = getLoginedUser(); if (user is null) return new RedirectResponse("/login"); view.assign("posts", (new PostRepository).getPostByUser(user.id)); view.assign("comments", (new CommentRepository).getCommentsByUser(user.id)); view.assign("user", user); response.setContent(view.render("profile")); return response; } }
D
module mir.internal.math; version(LDC) { pragma(LDC_no_moduleinfo); } import ldc.intrinsics; alias sqrt = llvm_sqrt; alias sin = llvm_sin; alias cos = llvm_cos; alias powi = llvm_powi; alias pow = llvm_powi; alias pow = llvm_pow; alias exp = llvm_exp; alias log = llvm_log; alias fabs = llvm_fabs; alias floor = llvm_floor; alias exp2 = llvm_exp2; alias log10 = llvm_log10; alias log2 = llvm_log2; alias ceil = llvm_ceil; alias trunc = llvm_trunc; alias rint = llvm_rint; alias nearbyint = llvm_nearbyint; alias copysign = llvm_copysign; alias round = llvm_round; alias fmuladd = llvm_fmuladd; alias fmin = llvm_minnum; alias fmax = llvm_maxnum;
D
/* * DSFML - The Simple and Fast Multimedia Library for D * * Copyright (c) 2013 - 2018 Jeremy DeHaan (dehaan.jeremiah@gmail.com) * * 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 * * * DSFML is based on SFML (Copyright Laurent Gomila) */ /** * Sound is the class used to play sounds. * * It provides: * $(UL * $(LI Control (play, pause, stop)) * $(LI Ability to modify output parameters in real-time (pitch, volume, ...)) * $(LI 3D spatial features (position, attenuation, ...))) * * $(PARA * Sound is perfect for playing short sounds that can fit in memory and require * no latency, like foot steps or gun shots. For longer sounds, like background * musics or long speeches, rather see Music (which is based on streaming). * * In order to work, a sound must be given a buffer of audio data to play. Audio * data (samples) is stored in SoundBuffer, and attached to a sound with the * setBuffer() function. The buffer object attached to a sound must remain alive * as long as the sound uses it. Note that multiple sounds can use the same * sound buffer at the same time. *) * * Example: * --- * auto buffer = new SoundBuffer(); * buffer.loadFromFile("sound.wav"); * * auto sound = new Sound(); * sound.setBuffer(buffer); * sound.play(); * --- * * See_Also: * $(SOUNDBUFFER_LINK), $(MUSIC_LINK) */ module dsfml.audio.sound; public import core.time; import dsfml.audio.soundbuffer; import dsfml.audio.soundsource; import dsfml.system.vector3; /** * Regular sound that can be played in the audio environment. */ class Sound : SoundSource { import std.typecons:Rebindable; //Const AND able to be rebound. Word. private Rebindable!(const(SoundBuffer)) m_buffer; package sfSound* sfPtr; /// Default constructor. this() { sfPtr = sfSound_construct(); } /** * Construct the sound with a buffer. * * Params: * buffer = Sound buffer containing the audio data to play with the sound */ this(const(SoundBuffer) buffer) { this(); setBuffer(buffer); } /// Destructor. ~this() { import dsfml.system.config; mixin(destructorOutput); //stop the sound stop(); sfSound_destroy(sfPtr); } @property { /** * Whether or not the sound should loop after reaching the end. * * If set, the sound will restart from beginning after reaching the end and * so on, until it is stopped or setLoop(false) is called. * * The default looping state for sound is false. */ void isLooping(bool loop) { sfSound_setLoop(sfPtr, loop); } /// ditto bool isLooping() const { return sfSound_getLoop(sfPtr); } } @property { /** * Change the current playing position (from the beginning) of the sound. * * The playing position can be changed when the sound is either paused or * playing. */ void playingOffset(Duration offset) { sfSound_setPlayingOffset(sfPtr, offset.total!"usecs"); } /// ditto Duration playingOffset() const { return usecs(sfSound_getPlayingOffset(sfPtr)); } } @property { /** * Get the current status of the sound (stopped, paused, playing). */ Status status() const { return cast(Status)sfSound_getStatus(sfPtr); } } //from SoundSource @property { /** * The pitch of the sound. * * The pitch represents the perceived fundamental frequency of a sound; thus * you can make a sound more acute or grave by changing its pitch. A side * effect of changing the pitch is to modify the playing speed of the sound * as well. The default value for the pitch is 1. */ void pitch(float newPitch) { sfSound_setPitch(sfPtr, newPitch); } /// ditto float pitch() const { return sfSound_getPitch(sfPtr); } } @property { /** * The volume of the sound. * * The volume is a value between 0 (mute) and 100 (full volume). The * default value for the volume is 100. */ void volume(float newVolume) { sfSound_setVolume(sfPtr, newVolume); } /// ditto float volume() const { return sfSound_getVolume(sfPtr); } } @property { /** * The 3D position of the sound in the audio scene. * * Only sounds with one channel (mono sounds) can be spatialized. The * default position of a sound is (0, 0, 0). */ void position(Vector3f newPosition) { sfSound_setPosition(sfPtr, newPosition.x, newPosition.y, newPosition.z); } /// ditto Vector3f position() const { Vector3f temp; sfSound_getPosition(sfPtr, &temp.x, &temp.y, &temp.z); return temp; } } @property { /** * Make the sound's position relative to the listener (true) or absolute * (false). * * Making a sound relative to the listener will ensure that it will always * be played the same way regardless the position of the listener. This can * be useful for non-spatialized sounds, sounds that are produced by the * listener, or sounds attached to it. The default value is false * (position is absolute). */ void relativeToListener(bool relative) { sfSound_setRelativeToListener(sfPtr, relative); } /// ditto bool relativeToListener() const { return sfSound_isRelativeToListener(sfPtr); } } @property { /** * The minimum distance of the sound. * * The "minimum distance" of a sound is the maximum distance at which it is * heard at its maximum volume. Further than the minimum distance, it will * start to fade out according to its attenuation factor. A value of 0 * ("inside the head of the listener") is an invalid value and is forbidden. * The default value of the minimum distance is 1. */ void minDistance(float distance) { sfSound_setMinDistance(sfPtr, distance); } /// ditto float minDistance() const { return sfSound_getMinDistance(sfPtr); } } @property { /** * The attenuation factor of the sound. * * The attenuation is a multiplicative factor which makes the sound more or * less loud according to its distance from the listener. An attenuation of * 0 will produce a non-attenuated sound, i.e. its volume will always be the * same whether it is heard from near or from far. * * On the other hand, an attenuation value such as 100 will make the sound * fade out very quickly as it gets further from the listener. The default * value of the attenuation is 1. */ void attenuation(float newAttenuation) { sfSound_setAttenuation(sfPtr, newAttenuation); } /// ditto float attenuation() const { return sfSound_getAttenuation(sfPtr); } } /* * Set the source buffer containing the audio data to play. * * It is important to note that the sound buffer is not copied, thus the * SoundBuffer instance must remain alive as long as it is attached to the * sound. * * Params: * buffer = Sound buffer to attach to the sound */ void setBuffer(const(SoundBuffer) buffer) { m_buffer = buffer; sfSound_setBuffer(sfPtr, buffer.sfPtr); } /** * Pause the sound. * * This function pauses the sound if it was playing, otherwise * (sound already paused or stopped) it has no effect. */ void pause() { sfSound_pause(sfPtr); } /** * Start or resume playing the sound. * * This function starts the stream if it was stopped, resumes it if it was * paused, and restarts it from beginning if it was it already playing. * * This function uses its own thread so that it doesn't block the rest of * the program while the sound is played. */ void play() { sfSound_play(sfPtr); } /** * Stop playing the sound. * * This function stops the sound if it was playing or paused, and does * nothing if it was already stopped. It also resets the playing position * (unlike `pause()`). */ void stop() { sfSound_stop(sfPtr); } } unittest { version(DSFML_Unittest_Audio) { import std.stdio; import dsfml.system.clock; import core.time; writeln("Unit test for Sound class"); //first, get a sound buffer auto soundbuffer = new SoundBuffer(); if(!soundbuffer.loadFromFile("res/TestSound.ogg")) { //error return; } float duration = soundbuffer.getDuration().total!"seconds"; auto sound = new Sound(soundbuffer); //sound.relativeToListener(true); auto clock = new Clock(); //play the sound! sound.play(); while(clock.getElapsedTime().total!"seconds" < duration) { //wait for sound to finish } //clock.restart(); //sound.relativeToListener(false); writeln(); } } private extern(C): struct sfSound; sfSound* sfSound_construct(); sfSound* sfSound_copy(const sfSound* sound); void sfSound_destroy(sfSound* sound); void sfSound_play(sfSound* sound); void sfSound_pause(sfSound* sound); void sfSound_stop(sfSound* sound); void sfSound_setBuffer(sfSound* sound, const sfSoundBuffer* buffer); void sfSound_setLoop(sfSound* sound, bool loop); bool sfSound_getLoop(const sfSound* sound); int sfSound_getStatus(const sfSound* sound); void sfSound_setPitch(sfSound* sound, float pitch); void sfSound_setVolume(sfSound* sound, float volume); void sfSound_setPosition(sfSound* sound, float positionX, float positionY, float positionZ); void sfSound_setRelativeToListener(sfSound* sound, bool relative); void sfSound_setMinDistance(sfSound* sound, float distance); void sfSound_setAttenuation(sfSound* sound, float attenuation); void sfSound_setPlayingOffset(sfSound* sound, long timeOffset); float sfSound_getPitch(const sfSound* sound); float sfSound_getVolume(const sfSound* sound); void sfSound_getPosition(const sfSound* sound, float* positionX, float* positionY, float* positionZ); bool sfSound_isRelativeToListener(const sfSound* sound); float sfSound_getMinDistance(const sfSound* sound); float sfSound_getAttenuation(const sfSound* sound); long sfSound_getPlayingOffset(const sfSound* sound);
D
separate by race or religion divide from the main body or mass and collect separate or isolate (one thing) from another and place in a group apart from others separated or isolated from others or a main group
D
512 sergei_eisenstein 1 edwin_s_porter 643 josef_von_sternberg 132 daniel_bressanutti 929 clarence_brown 135 fritz_lang 782 georg_wilhelm_pabst 15 dw_griffith 274 dorothy_arzner 148 herbert_blache 918 victor_heerman 260 john_s_robertson 796 dziga_verto 542 rupert_julian 800 luis_bunuel 673 ja_howe 166 robert_wiene 681 paul_leni 455 alfred_hitchcock 690 walt_disney 563 clyde_bruckman 821 lewis_milestone 951 edmund_goulding 312 benjamin_christensen 187 carl_boese 705 1051480-david_sutherland 325 robert_flaherty 583 bonnie_hill 714 carl_theodor_dreyer 591 george_fitzmaurice 979 jean_cocteau 602 albert_parker 655 walter_ruttmann 348 fred_c_newmeyer 734 edward_m_sedgwick 223 fw_murnau 100 charlie_chaplin 806 robert_florey 860 roland_west 361 buster-keaton-jr 749 _0064600 775 james_w_horne 119 yakov_protazanov
D
/* pkcs12.h */ /* Written by Dr Stephen N Henson (steve@openssl.org) for the OpenSSL * project 1999. */ /* ==================================================================== * Copyright (c) 1999 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 * licensing@OpenSSL.org. * * 5. Products derived from this software may not be called "OpenSSL" * nor may "OpenSSL" appear in their names without prior written * permission of the OpenSSL Project. * * 6. Redistributions of any form whatsoever must retain the following * acknowledgment: * "This product includes software developed by the OpenSSL Project * for use in the OpenSSL Toolkit (http://www.OpenSSL.org/)" * * THIS SOFTWARE IS PROVIDED BY THE OpenSSL PROJECT ``AS IS'' AND ANY * EXPRESSED OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR * PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE OpenSSL PROJECT OR * ITS CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT * NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) * HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, * STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED * OF THE POSSIBILITY OF SUCH DAMAGE. * ==================================================================== * * This product includes cryptographic software written by Eric Young * (eay@cryptsoft.com). This product includes software written by Tim * Hudson (tjh@cryptsoft.com). * */ module deimos.openssl.pkcs12; import deimos.openssl._d_util; public import deimos.openssl.bio; public import deimos.openssl.x509; public import deimos.openssl.pkcs7; extern (C): nothrow: enum PKCS12_KEY_ID = 1; enum PKCS12_IV_ID = 2; enum PKCS12_MAC_ID = 3; /* Default iteration count */ // #ifndef PKCS12_DEFAULT_ITER alias PKCS5_DEFAULT_ITER PKCS12_DEFAULT_ITER; // #endif enum PKCS12_MAC_KEY_LENGTH = 20; enum PKCS12_SALT_LEN = 8; /* Uncomment out next line for unicode password and names, otherwise ASCII */ /*#define PBE_UNICODE*/ version (PBE_UNICODE) { alias PKCS12_key_gen_uni PKCS12_key_gen; alias PKCS12_add_friendlyname_uni PKCS12_add_friendlyname; } else { alias PKCS12_key_gen_asc PKCS12_key_gen; alias PKCS12_add_friendlyname_asc PKCS12_add_friendlyname; } /* MS key usage constants */ enum KEY_EX = 0x10; enum KEY_SIG = 0x80; struct PKCS12_MAC_DATA { X509_SIG* dinfo; ASN1_OCTET_STRING* salt; ASN1_INTEGER* iter; /* defaults to 1 */ } struct PKCS12 { ASN1_INTEGER* version_; PKCS12_MAC_DATA* mac; PKCS7* authsafes; } struct PKCS12_SAFEBAG { ASN1_OBJECT* type; union value_ { pkcs12_bag_st* bag; /* secret, crl and certbag */ pkcs8_priv_key_info_st* keybag; /* keybag */ X509_SIG* shkeybag; /* shrouded key bag */ STACK_OF!(PKCS12_SAFEBAG) *safes; ASN1_TYPE* other; } value_ value; STACK_OF!(X509_ATTRIBUTE) *attrib; } /+mixin DECLARE_STACK_OF!(PKCS12_SAFEBAG);+/ mixin DECLARE_ASN1_SET_OF!(PKCS12_SAFEBAG); mixin DECLARE_PKCS12_STACK_OF!(PKCS12_SAFEBAG); struct pkcs12_bag_st { ASN1_OBJECT* type; union value_ { ASN1_OCTET_STRING* x509cert; ASN1_OCTET_STRING* x509crl; ASN1_OCTET_STRING* octet; ASN1_IA5STRING* sdsicert; ASN1_TYPE* other; /* Secret or other bag */ } value_ value; } alias pkcs12_bag_st PKCS12_BAGS; enum PKCS12_ERROR = 0; enum PKCS12_OK = 1; /* Compatibility macros */ alias PKCS12_x5092certbag M_PKCS12_x5092certbag; alias PKCS12_x509crl2certbag M_PKCS12_x509crl2certbag; alias PKCS12_certbag2x509 M_PKCS12_certbag2x509; alias PKCS12_certbag2x509crl M_PKCS12_certbag2x509crl; alias PKCS12_unpack_p7data M_PKCS12_unpack_p7data; alias PKCS12_pack_authsafes M_PKCS12_pack_authsafes; alias PKCS12_unpack_authsafes M_PKCS12_unpack_authsafes; alias PKCS12_unpack_p7encdata M_PKCS12_unpack_p7encdata; alias PKCS12_decrypt_skey M_PKCS12_decrypt_skey; alias PKCS8_decrypt M_PKCS8_decrypt; auto M_PKCS12_bag_type(B)(B bg) {return OBJ_obj2nid(bg.type); } auto M_PKCS12_cert_bag_type(B)(B bg) {return OBJ_obj2nid(bg.value.bag.type); } alias M_PKCS12_cert_bag_type M_PKCS12_crl_bag_type; auto PKCS12_get_attr()(PKCS12_SAFEBAG* bag, int attr_nid) { return PKCS12_get_attr_gen(bag.attrib, attr_nid); } auto PKCS8_get_attr(P)(P p8, int attr_nid) { return PKCS12_get_attr_gen(p8.attributes, attr_nid);} auto PKCS12_mac_present()(PKCS12* p12) { return p12.mac ? 1 : 0; } PKCS12_SAFEBAG* PKCS12_x5092certbag(X509* x509); PKCS12_SAFEBAG* PKCS12_x509crl2certbag(X509_CRL* crl); X509* PKCS12_certbag2x509(PKCS12_SAFEBAG* bag); X509_CRL* PKCS12_certbag2x509crl(PKCS12_SAFEBAG* bag); PKCS12_SAFEBAG* PKCS12_item_pack_safebag(void* obj, const(ASN1_ITEM)* it, int nid1, int nid2); PKCS12_SAFEBAG* PKCS12_MAKE_KEYBAG(PKCS8_PRIV_KEY_INFO* p8); PKCS8_PRIV_KEY_INFO* PKCS8_decrypt(X509_SIG* p8, const(char)* pass, int passlen); PKCS8_PRIV_KEY_INFO* PKCS12_decrypt_skey(PKCS12_SAFEBAG* bag, const(char)* pass, int passlen); X509_SIG* PKCS8_encrypt(int pbe_nid, const(EVP_CIPHER)* cipher, const(char)* pass, int passlen, ubyte* salt, int saltlen, int iter, PKCS8_PRIV_KEY_INFO* p8); PKCS12_SAFEBAG* PKCS12_MAKE_SHKEYBAG(int pbe_nid, const(char)* pass, int passlen, ubyte* salt, int saltlen, int iter, PKCS8_PRIV_KEY_INFO* p8); PKCS7* PKCS12_pack_p7data(STACK_OF!(PKCS12_SAFEBAG) *sk); STACK_OF!(PKCS12_SAFEBAG) *PKCS12_unpack_p7data(PKCS7* p7); PKCS7* PKCS12_pack_p7encdata(int pbe_nid, const(char)* pass, int passlen, ubyte* salt, int saltlen, int iter, STACK_OF!(PKCS12_SAFEBAG) *bags); STACK_OF!(PKCS12_SAFEBAG) *PKCS12_unpack_p7encdata(PKCS7* p7, const(char)* pass, int passlen); int PKCS12_pack_authsafes(PKCS12* p12, STACK_OF!(PKCS7) *safes); STACK_OF!(PKCS7) *PKCS12_unpack_authsafes(PKCS12* p12); int PKCS12_add_localkeyid(PKCS12_SAFEBAG* bag, ubyte* name, int namelen); int PKCS12_add_friendlyname_asc(PKCS12_SAFEBAG* bag, const(char)* name, int namelen); int PKCS12_add_CSPName_asc(PKCS12_SAFEBAG* bag, const(char)* name, int namelen); int PKCS12_add_friendlyname_uni(PKCS12_SAFEBAG* bag, const(ubyte)* name, int namelen); int PKCS8_add_keyusage(PKCS8_PRIV_KEY_INFO* p8, int usage); ASN1_TYPE* PKCS12_get_attr_gen(STACK_OF!(X509_ATTRIBUTE) *attrs, int attr_nid); char* PKCS12_get_friendlyname(PKCS12_SAFEBAG* bag); ubyte* PKCS12_pbe_crypt(X509_ALGOR* algor, const(char)* pass, int passlen, ubyte* in_, int inlen, ubyte** data, int* datalen, int en_de); void* PKCS12_item_decrypt_d2i(X509_ALGOR* algor, const(ASN1_ITEM)* it, const(char)* pass, int passlen, ASN1_OCTET_STRING* oct, int zbuf); ASN1_OCTET_STRING* PKCS12_item_i2d_encrypt(X509_ALGOR* algor, const(ASN1_ITEM)* it, const(char)* pass, int passlen, void* obj, int zbuf); PKCS12* PKCS12_init(int mode); int PKCS12_key_gen_asc(const(char)* pass, int passlen, ubyte* salt, int saltlen, int id, int iter, int n, ubyte* out_, const(EVP_MD)* md_type); int PKCS12_key_gen_uni(ubyte* pass, int passlen, ubyte* salt, int saltlen, int id, int iter, int n, ubyte* out_, const(EVP_MD)* md_type); int PKCS12_PBE_keyivgen(EVP_CIPHER_CTX* ctx, const(char)* pass, int passlen, ASN1_TYPE* param, const(EVP_CIPHER)* cipher, const(EVP_MD)* md_type, int en_de); int PKCS12_gen_mac(PKCS12* p12, const(char)* pass, int passlen, ubyte* mac, uint* maclen); int PKCS12_verify_mac(PKCS12* p12, const(char)* pass, int passlen); int PKCS12_set_mac(PKCS12* p12, const(char)* pass, int passlen, ubyte* salt, int saltlen, int iter, const(EVP_MD)* md_type); int PKCS12_setup_mac(PKCS12* p12, int iter, ubyte* salt, int saltlen, const(EVP_MD)* md_type); ubyte* OPENSSL_asc2uni(const(char)* asc, int asclen, ubyte** uni, int* unilen); char* OPENSSL_uni2asc(ubyte* uni, int unilen); mixin(DECLARE_ASN1_FUNCTIONS!"PKCS12"); mixin(DECLARE_ASN1_FUNCTIONS!"PKCS12_MAC_DATA"); mixin(DECLARE_ASN1_FUNCTIONS!"PKCS12_SAFEBAG"); mixin(DECLARE_ASN1_FUNCTIONS!"PKCS12_BAGS"); mixin(DECLARE_ASN1_ITEM!"PKCS12_SAFEBAGS"); mixin(DECLARE_ASN1_ITEM!"PKCS12_AUTHSAFES"); void PKCS12_PBE_add(); int PKCS12_parse(PKCS12* p12, const(char)* pass, EVP_PKEY** pkey, X509** cert, STACK_OF!(X509) **ca); PKCS12* PKCS12_create(char* pass, char* name, EVP_PKEY* pkey, X509* cert, STACK_OF!(X509) *ca, int nid_key, int nid_cert, int iter, int mac_iter, int keytype); PKCS12_SAFEBAG* PKCS12_add_cert(STACK_OF!(PKCS12_SAFEBAG) **pbags, X509* cert); PKCS12_SAFEBAG* PKCS12_add_key(STACK_OF!(PKCS12_SAFEBAG) **pbags, EVP_PKEY* key, int key_usage, int iter, int key_nid, char* pass); int PKCS12_add_safe(STACK_OF!(PKCS7) **psafes, STACK_OF!(PKCS12_SAFEBAG) *bags, int safe_nid, int iter, char* pass); PKCS12* PKCS12_add_safes(STACK_OF!(PKCS7) *safes, int p7_nid); int i2d_PKCS12_bio(BIO* bp, PKCS12* p12); int i2d_PKCS12_fp(FILE* fp, PKCS12* p12); PKCS12* d2i_PKCS12_bio(BIO* bp, PKCS12** p12); PKCS12* d2i_PKCS12_fp(FILE* fp, PKCS12** p12); int PKCS12_newpass(PKCS12* p12, char* oldpass, char* newpass); /* BEGIN ERROR CODES */ /* The following lines are auto generated by the script mkerr.pl. Any changes * made after this point may be overwritten when the script is next run. */ void ERR_load_PKCS12_strings(); /* Error codes for the PKCS12 functions. */ /* Function codes. */ enum PKCS12_F_PARSE_BAG = 129; enum PKCS12_F_PARSE_BAGS = 103; enum PKCS12_F_PKCS12_ADD_FRIENDLYNAME = 100; enum PKCS12_F_PKCS12_ADD_FRIENDLYNAME_ASC = 127; enum PKCS12_F_PKCS12_ADD_FRIENDLYNAME_UNI = 102; enum PKCS12_F_PKCS12_ADD_LOCALKEYID = 104; enum PKCS12_F_PKCS12_CREATE = 105; enum PKCS12_F_PKCS12_GEN_MAC = 107; enum PKCS12_F_PKCS12_INIT = 109; enum PKCS12_F_PKCS12_ITEM_DECRYPT_D2I = 106; enum PKCS12_F_PKCS12_ITEM_I2D_ENCRYPT = 108; enum PKCS12_F_PKCS12_ITEM_PACK_SAFEBAG = 117; enum PKCS12_F_PKCS12_KEY_GEN_ASC = 110; enum PKCS12_F_PKCS12_KEY_GEN_UNI = 111; enum PKCS12_F_PKCS12_MAKE_KEYBAG = 112; enum PKCS12_F_PKCS12_MAKE_SHKEYBAG = 113; enum PKCS12_F_PKCS12_NEWPASS = 128; enum PKCS12_F_PKCS12_PACK_P7DATA = 114; enum PKCS12_F_PKCS12_PACK_P7ENCDATA = 115; enum PKCS12_F_PKCS12_PARSE = 118; enum PKCS12_F_PKCS12_PBE_CRYPT = 119; enum PKCS12_F_PKCS12_PBE_KEYIVGEN = 120; enum PKCS12_F_PKCS12_SETUP_MAC = 122; enum PKCS12_F_PKCS12_SET_MAC = 123; enum PKCS12_F_PKCS12_UNPACK_AUTHSAFES = 130; enum PKCS12_F_PKCS12_UNPACK_P7DATA = 131; enum PKCS12_F_PKCS12_VERIFY_MAC = 126; enum PKCS12_F_PKCS8_ADD_KEYUSAGE = 124; enum PKCS12_F_PKCS8_ENCRYPT = 125; /* Reason codes. */ enum PKCS12_R_CANT_PACK_STRUCTURE = 100; enum PKCS12_R_CONTENT_TYPE_NOT_DATA = 121; enum PKCS12_R_DECODE_ERROR = 101; enum PKCS12_R_ENCODE_ERROR = 102; enum PKCS12_R_ENCRYPT_ERROR = 103; enum PKCS12_R_ERROR_SETTING_ENCRYPTED_DATA_TYPE = 120; enum PKCS12_R_INVALID_NULL_ARGUMENT = 104; enum PKCS12_R_INVALID_NULL_PKCS12_POINTER = 105; enum PKCS12_R_IV_GEN_ERROR = 106; enum PKCS12_R_KEY_GEN_ERROR = 107; enum PKCS12_R_MAC_ABSENT = 108; enum PKCS12_R_MAC_GENERATION_ERROR = 109; enum PKCS12_R_MAC_SETUP_ERROR = 110; enum PKCS12_R_MAC_STRING_SET_ERROR = 111; enum PKCS12_R_MAC_VERIFY_ERROR = 112; enum PKCS12_R_MAC_VERIFY_FAILURE = 113; enum PKCS12_R_PARSE_ERROR = 114; enum PKCS12_R_PKCS12_ALGOR_CIPHERINIT_ERROR = 115; enum PKCS12_R_PKCS12_CIPHERFINAL_ERROR = 116; enum PKCS12_R_PKCS12_PBE_CRYPT_ERROR = 117; enum PKCS12_R_UNKNOWN_DIGEST_ALGORITHM = 118; enum PKCS12_R_UNSUPPORTED_PKCS12_MODE = 119;
D
module org.eclipse.swt.internal.mozilla.nsIWebProgress; import java.lang.all; import org.eclipse.swt.internal.mozilla.Common; import org.eclipse.swt.internal.mozilla.nsID; import org.eclipse.swt.internal.mozilla.nsISupports; import org.eclipse.swt.internal.mozilla.nsIDOMWindow; import org.eclipse.swt.internal.mozilla.nsIWebProgressListener; const char[] NS_IWEBPROGRESS_IID_STR = "570f39d0-efd0-11d3-b093-00a024ffc08c"; const nsIID NS_IWEBPROGRESS_IID= {0x570f39d0, 0xefd0, 0x11d3, [ 0xb0, 0x93, 0x00, 0xa0, 0x24, 0xff, 0xc0, 0x8c ]}; interface nsIWebProgress : nsISupports { static const char[] IID_STR = NS_IWEBPROGRESS_IID_STR; static const nsIID IID = NS_IWEBPROGRESS_IID; extern(System): enum { NOTIFY_STATE_REQUEST = 1U }; enum { NOTIFY_STATE_DOCUMENT = 2U }; enum { NOTIFY_STATE_NETWORK = 4U }; enum { NOTIFY_STATE_WINDOW = 8U }; enum { NOTIFY_STATE_ALL = 15U }; enum { NOTIFY_PROGRESS = 16U }; enum { NOTIFY_STATUS = 32U }; enum { NOTIFY_SECURITY = 64U }; enum { NOTIFY_LOCATION = 128U }; enum { NOTIFY_ALL = 255U }; nsresult AddProgressListener(nsIWebProgressListener aListener, PRUint32 aNotifyMask); nsresult RemoveProgressListener(nsIWebProgressListener aListener); nsresult GetDOMWindow(nsIDOMWindow *aDOMWindow); nsresult GetIsLoadingDocument(PRBool *aIsLoadingDocument); }
D
/Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/LockOwnerType.o : /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Cancelable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObserverType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Reactive.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/RecursiveLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Errors.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/AtomicInt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Event.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/First.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Linux.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.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/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/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/CoreGraphics.framework/Headers/CoreGraphics.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/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/CoreText.framework/Headers/CoreText.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/RxSwift.build/Objects-normal/x86_64/LockOwnerType~partial.swiftmodule : /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Cancelable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObserverType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Reactive.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/RecursiveLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Errors.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/AtomicInt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Event.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/First.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Linux.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.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/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/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/CoreGraphics.framework/Headers/CoreGraphics.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/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/CoreText.framework/Headers/CoreText.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/RxSwift.build/Objects-normal/x86_64/LockOwnerType~partial.swiftdoc : /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Cancelable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObserverType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Reactive.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/RecursiveLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Errors.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/AtomicInt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Event.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/First.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Linux.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.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/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/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/CoreGraphics.framework/Headers/CoreGraphics.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/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/CoreText.framework/Headers/CoreText.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/RxSwift.build/Objects-normal/x86_64/LockOwnerType~partial.swiftsourceinfo : /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Cancelable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObserverType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Reactive.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/RecursiveLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Errors.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/AtomicInt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Event.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/First.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Linux.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.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/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/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/CoreGraphics.framework/Headers/CoreGraphics.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/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/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/******************************************************************************* Contains set of tests for testing GetRange command Copyright: Copyright (c) 2015-2017 sociomantic labs GmbH. All rights reserved. License: Boost Software License Version 1.0. See LICENSE.txt for details. *******************************************************************************/ module dlstest.cases.legacy.Ranges; /******************************************************************************* Imports *******************************************************************************/ import ocean.transition; import ocean.core.Array; import dlstest.DlsTestCase; /******************************************************************************* Checks basic GetRange functionality *******************************************************************************/ class GetRange : DlsTestCase { override public Description description ( ) { Description desc; desc.priority = 100; desc.name = "GetRange for data contained in the storage"; return desc; } public override void run ( ) { // Put some records to the storage channel. cstring[][hash_t] records = [ 0x0000000000000000: ["record 0"], 0x0000000000000001: ["record 1"], 0x0000000000000002: ["record 2"], 0x0000000000000003: ["record 3"], 0x0000000000000004: ["record 4"], 0x0000000000000005: ["record 5"] ]; foreach (k, vals; records) foreach (v; vals) this.dls.put(this.test_channel, k, v); auto start = 1; auto cnt = 3; auto end = start + cnt - 1; // Do a GetRange to retrieve them auto fetched = this.dls.getRange(this.test_channel, start, end); // Confirm the results test!("==")(fetched.length, cnt); foreach (k, remote_recs; fetched) { auto local_recs = k in records; test!("!is")(local_recs, null, "GetRange returned wrong key"); test!("==")((*local_recs).length, remote_recs.length, "GetRange returned wrong amount of values"); test(k >= start && k <= end, "GetRange returned the key out of requested range"); // test if all values are here foreach (rec; remote_recs) { test((*local_recs).contains(rec)); } } } } /******************************************************************************* Checks GetRange functionality with range values outside the range present in the node *******************************************************************************/ class GetRangeEmpty : DlsTestCase { override public Description description ( ) { Description desc; desc.priority = 100; desc.name = "GetRange for range outside the data"; return desc; } public override void run ( ) { // Put some records to the storage channel. istring[][hash_t] records = [ 0x0000000000000000: ["record 0"], 0x0000000000000001: ["record 1"], 0x0000000000000002: ["record 2"], 0x0000000000000003: ["record 3"], 0x0000000000000004: ["record 4"], 0x0000000000000005: ["record 5"] ]; foreach (k, vals; records) foreach (v; vals) this.dls.put(this.test_channel, k, v); auto start = records.length; auto cnt = 3; auto end = start + cnt - 1; // Do a GetRange to retrieve them auto fetched = this.dls.getRange(this.test_channel, start, end); // Confirm the results test!("==")(fetched.length, 0); } } /******************************************************************************* Checks GetRange functionality with range values that are exact the range present in the node *******************************************************************************/ class GetRangeExact : DlsTestCase { override public Description description ( ) { Description desc; desc.priority = 100; desc.name = "GetRange for exact range"; return desc; } public override void run ( ) { // Put some records to the storage channel. cstring[][hash_t] records = [ 0x0000000000000000: ["record 0"], 0x0000000000000001: ["record 1"], 0x0000000000000002: ["record 2"], 0x0000000000000003: ["record 3"], 0x0000000000000004: ["record 4"], 0x0000000000000005: ["record 5"] ]; foreach (k, vals; records) foreach (v; vals) this.dls.put(this.test_channel, k, v); auto start = 0; auto cnt = records.length; auto end = start + cnt - 1; // Do a GetRange to retrieve them auto fetched = this.dls.getRange(this.test_channel, start, end); // Confirm the results test!("==")(fetched.length, cnt); foreach (k, remote_recs; fetched) { auto local_recs = k in records; test(local_recs !is null, "GetRange returned wrong key"); test(local_recs.length == remote_recs.length, "GetRange returned wrong amount of values"); test(k >= start && k <= end, "GetRange returned the key out of requested range"); // test if all values are here foreach (rec; remote_recs) { test((*local_recs).contains(rec)); } } } } /******************************************************************************* Checks GetRange functionality with PCRE filter enabled. *******************************************************************************/ class GetRangePCREMatching : DlsTestCase { override public Description description ( ) { Description desc; desc.priority = 100; desc.name = "GetRange for overlapping range"; return desc; } public override void run ( ) { const logline = "http://eu-sonar.sociomantic.com/js/2010-07-01/action/click?&aid=google&fpc=7161999584528497855&aaid=zalando&size=3&cid=445&ao=%5B%7B%22id%22%3A%2216880840621970542745%22%2C%22fsize%22%3A22%7D%5D"; // Put some records to the storage channel. cstring[][hash_t] records = [ 0x0000000000000001: [logline], 0x0000000000000002: [logline], 0x0000000000000003: [logline] ]; foreach (k, vals; records) foreach (v; vals) this.dls.put(this.test_channel, k, v); const pcre = "(aid=google)"; auto start = 0; auto cnt = records.length; auto end = cnt * 2; // Do a GetRange to retrieve them auto fetched = this.dls.getRange(this.test_channel, start, end, DlsClient.FilterType.PCRE, pcre); // Confirm the results test!("==")(fetched.length, cnt); foreach (k, remote_recs; fetched) { auto local_recs = k in records; test(local_recs !is null, "GetRange returned wrong key"); test(local_recs.length == remote_recs.length, "GetRange returned wrong amount of values"); test(k >= start && k <= end, "GetRange returned the key out of requested range"); // test if all values are here foreach (rec; remote_recs) { test((*local_recs).contains(rec)); } } } } /******************************************************************************* Checks GetRange functionality with PCRE filter enabled where not all the records are matched *******************************************************************************/ class GetRangePCREHalfMatching : DlsTestCase { override public Description description ( ) { Description desc; desc.priority = 100; desc.name = "GetRange for overlapping range"; return desc; } public override void run ( ) { const logline = "http://eu-sonar.sociomantic.com/js/2010-07-01/action/click?&aid=google&fpc=7161999584528497855&aaid=zalando&size=3&cid=445&ao=%5B%7B%22id%22%3A%2216880840621970542745%22%2C%22fsize%22%3A22%7D%5D"; const bad_logline = "http://eu-sonar.sociomantic.com/js/2010-07-01/action/click?&aid=facebook&fpc=7161999584528497855&aaid=bbc&size=3&cid=445&ao=%5B%7B%22id%22%3A%2216880840621970542745%22%2C%22fsize%22%3A22%7D%5D"; // Put some records to the storage channel. cstring[][hash_t] records = [ 0x0000000000000001: [logline], 0x0000000000000002: [bad_logline], 0x0000000000000003: [logline] ]; foreach (k, vals; records) foreach (v; vals) this.dls.put(this.test_channel, k, v); const pcre = "(aid=google.*(aaid=zalando|aaid=zalando-fr|aaid=zalando-uk))|((aaid=zalando|aaid=zalando-fr|aaid=zalando-uk).*aid=google)"; auto start = 0; auto cnt = 2; auto end = records.length + 1; // Do a GetRange to retrieve them auto fetched = this.dls.getRange(this.test_channel, start, end, DlsClient.FilterType.PCRE, pcre); // Confirm the results test!("==")(fetched.length, cnt); foreach (k, remote_recs; fetched) { auto local_recs = k in records; test(local_recs !is null, "GetRange returned wrong key"); test(local_recs.length == remote_recs.length, "GetRange returned wrong amount of values"); test(k >= start && k <= end, "GetRange returned the key out of requested range"); // test if all values are here foreach (rec; remote_recs) { test((*local_recs).contains(rec)); } } } } /******************************************************************************* Checks GetRange functionality with malformed PCRE filter. *******************************************************************************/ class GetRangePCREMalformed : DlsTestCase { override public Description description ( ) { Description desc; desc.priority = 100; desc.name = "GetRange with malformed regex"; return desc; } public override void run ( ) { const logline = "http://eu-sonar.sociomantic.com/js/2010-07-01/action/click?&aid=google&fpc=7161999584528497855&aaid=zalando&size=3&cid=445&ao=%5B%7B%22id%22%3A%2216880840621970542745%22%2C%22fsize%22%3A22%7D%5D"; // Put some records to the storage channel. cstring[][hash_t] records = [ 0x0000000000000001: [logline], 0x0000000000000002: [logline], 0x0000000000000003: [logline] ]; foreach (k, vals; records) foreach (v; vals) this.dls.put(this.test_channel, k, v); const pcre = "*vw=1&"; auto start = 0; auto cnt = records.length; auto end = cnt * 2; auto exception_caught = false; cstring[][hash_t] fetched; try { // Do a GetRange to try to retrieve. This should fail fetched = this.dls.getRange(this.test_channel, start, end, DlsClient.FilterType.PCRE, pcre); } catch (Exception e) { exception_caught = true; } // Confirm the results test!("==")(fetched.length, 0); test!("==")(exception_caught, true); } }
D
/Users/chris/projects/rust_examples/macros/demo/target/debug/deps/demo-0b93c6a8f98ef2f1.rmeta: src/main.rs /Users/chris/projects/rust_examples/macros/demo/target/debug/deps/demo-0b93c6a8f98ef2f1.d: src/main.rs src/main.rs:
D
module mysql.resultset; import std.stdio; import std.exception; import mysql.binding; import mysql.row; alias Rows = MySQLRow[]; class ResultSet { private int[string] mapping; public MYSQL_RES* result; private int itemsTotal; private int itemsUsed; bool[] columnIsNull; MySQLRow row; string sql; this(MYSQL_RES* r, string sql) { result = r; itemsTotal = length(); itemsUsed = 0; this.sql = sql; // prime it if (itemsTotal) { fetchNext(); } } ~this() { if (result !is null) { mysql_free_result(result); } } MYSQL_FIELD[] fields() { int numFields = mysql_num_fields(result); auto fields = mysql_fetch_fields(result); MYSQL_FIELD[] ret; for(int i = 0; i < numFields; i++) { ret ~= fields[i]; } return ret; } int length() { if (result is null) { return 0; } return cast(int) mysql_num_rows(result); } bool empty() { return itemsUsed == itemsTotal; } MySQLRow front() { return row; } void popFront() { itemsUsed++; if (itemsUsed < itemsTotal) { fetchNext(); } } int getFieldIndex(string field) { if (mapping is null) { makeFieldMapping(); } debug { if (field !in mapping) { throw new Exception(field ~ " not in result"); } } return mapping[field]; } string[] fieldNames() { int numFields = mysql_num_fields(result); auto fields = mysql_fetch_fields(result); string[] names; for(int i = 0; i < numFields; i++) { names ~= fromCstring(fields[i].name, fields[i].name_length); } return names; } private void makeFieldMapping() { int numFields = mysql_num_fields(result); auto fields = mysql_fetch_fields(result); if (fields is null) { return; } for(int i = 0; i < numFields; i++) { if (fields[i].name !is null) { mapping[fromCstring(fields[i].name, fields[i].name_length)] = i; } } } private void fetchNext() { assert(result); auto my_row = mysql_fetch_row(result); if (my_row is null) { throw new Exception("there is no next row"); } uint numFields = mysql_num_fields(result); uint* lengths = mysql_fetch_lengths(result); string[] row; // potential FIXME: not really binary safe columnIsNull.length = numFields; for(uint numField = 0; numField < numFields; numField++) { //writefln("numField %d", numField); if (my_row[numField] is null) { row ~= null; columnIsNull[numField] = true; } else { row ~= cast(string) cstr2dstr(my_row[numField], lengths[numField]); columnIsNull[numField] = false; } } this.row.row = row; this.row.resultSet = this; } Rows toAA() { MySQLRow[] rows; foreach(row; this) { rows ~= row; } return rows; } }
D
/* * Copyright (c) 2009-2010 Mikko Mononen memon@inside.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 imgui.gl3_renderer; import core.stdc.stdlib; import core.stdc.string; import std.math; import std.stdio; version(imgui_gl_glad) { import glad.gl.all; import glad.gl.loader; } version(imgui_gl_derelict) { import derelict.opengl3.gl3; } import imgui.api; import imgui.engine; import imgui.stdb_truetype; private: // Draw up to 65536 unicode glyphs. What this will actually do is draw *only glyphs the // font supports* until it will run out of glyphs or texture space (determined by // g_font_texture_size). The actual number of glyphs will be in thousands (ASCII is // guaranteed, the rest will depend mainly on what the font supports, e.g. if it // supports common European characters such as á or š they will be there because they // are "early" in Unicode) // // Note that g_cdata uses memory of stbtt_bakedchar.sizeof * MAX_CHARACTER_COUNT which // at the moment is 20 * 65536 or 1.25 MiB. enum MAX_CHARACTER_COUNT = 1024 * 16 * 4; enum FIRST_CHARACTER = 32; /** Globals start. */ // A 1024x1024 font texture takes 1MiB of memory, and should be enough for thousands of // glyphs (at the fixed 15.0f size imgui uses). // // Some examples: // // =================================================== ============ ============================= // Font Texture size Glyps fit // =================================================== ============ ============================= // GentiumPlus-R 512x512 2550 (all glyphs in the font) // GentiumPlus-R 256x256 709 // DroidSans (the small version included for examples) 512x512 903 (all glyphs in the font) // DroidSans (the small version included for examples) 256x256 497 // =================================================== ============ ============================= // // This was measured after the optimization to reuse null character glyph, which is in // BakeFontBitmap in stdb_truetype.d __gshared uint g_font_texture_size = 1024; __gshared float[TEMP_COORD_COUNT * 2] g_tempCoords; __gshared float[TEMP_COORD_COUNT * 2] g_tempNormals; __gshared float[TEMP_COORD_COUNT * 12 + (TEMP_COORD_COUNT - 2) * 6] g_tempVertices; __gshared float[TEMP_COORD_COUNT * 12 + (TEMP_COORD_COUNT - 2) * 6] g_tempTextureCoords; __gshared float[TEMP_COORD_COUNT * 24 + (TEMP_COORD_COUNT - 2) * 12] g_tempColors; __gshared float[CIRCLE_VERTS * 2] g_circleVerts; __gshared uint g_max_character_count = MAX_CHARACTER_COUNT; __gshared stbtt_bakedchar[MAX_CHARACTER_COUNT] g_cdata; __gshared GLuint g_ftex = 0; __gshared GLuint g_whitetex = 0; __gshared GLuint g_vao = 0; __gshared GLuint[3] g_vbos = [0, 0, 0]; __gshared GLuint g_program = 0; __gshared GLuint g_programViewportLocation = 0; __gshared GLuint g_programTextureLocation = 0; /** Globals end. */ enum TEMP_COORD_COUNT = 100; enum int CIRCLE_VERTS = 8 * 4; immutable float[4] g_tabStops = [150, 210, 270, 330]; package: static if (__VERSION__ < 2066) { @trusted nothrow uint maxCharacterCount() { return g_max_character_count; } } else { @nogc @trusted nothrow uint maxCharacterCount() { return g_max_character_count; } } void imguifree(void* ptr, void* /*userptr*/) { free(ptr); } void* imguimalloc(size_t size, void* /*userptr*/) { return malloc(size); } uint toPackedRGBA(RGBA color) { return (color.r) | (color.g << 8) | (color.b << 16) | (color.a << 24); } void drawPolygon(const(float)* coords, uint numCoords, float r, uint col) { if (numCoords > TEMP_COORD_COUNT) numCoords = TEMP_COORD_COUNT; for (uint i = 0, j = numCoords - 1; i < numCoords; j = i++) { const(float)* v0 = &coords[j * 2]; const(float)* v1 = &coords[i * 2]; float dx = v1[0] - v0[0]; float dy = v1[1] - v0[1]; float d = sqrt(dx * dx + dy * dy); if (d > 0) { d = 1.0f / d; dx *= d; dy *= d; } g_tempNormals[j * 2 + 0] = dy; g_tempNormals[j * 2 + 1] = -dx; } const float[4] colf = [cast(float)(col & 0xff) / 255.0, cast(float)((col >> 8) & 0xff) / 255.0, cast(float)((col >> 16) & 0xff) / 255.0, cast(float)((col >> 24) & 0xff) / 255.0]; const float[4] colTransf = [cast(float)(col & 0xff) / 255.0, cast(float)((col >> 8) & 0xff) / 255.0, cast(float)((col >> 16) & 0xff) / 255.0, 0]; for (uint i = 0, j = numCoords - 1; i < numCoords; j = i++) { float dlx0 = g_tempNormals[j * 2 + 0]; float dly0 = g_tempNormals[j * 2 + 1]; float dlx1 = g_tempNormals[i * 2 + 0]; float dly1 = g_tempNormals[i * 2 + 1]; float dmx = (dlx0 + dlx1) * 0.5f; float dmy = (dly0 + dly1) * 0.5f; float dmr2 = dmx * dmx + dmy * dmy; if (dmr2 > 0.000001f) { float scale = 1.0f / dmr2; if (scale > 10.0f) scale = 10.0f; dmx *= scale; dmy *= scale; } g_tempCoords[i * 2 + 0] = coords[i * 2 + 0] + dmx * r; g_tempCoords[i * 2 + 1] = coords[i * 2 + 1] + dmy * r; } int vSize = numCoords * 12 + (numCoords - 2) * 6; int uvSize = numCoords * 2 * 6 + (numCoords - 2) * 2 * 3; int cSize = numCoords * 4 * 6 + (numCoords - 2) * 4 * 3; float* v = g_tempVertices.ptr; float* uv = g_tempTextureCoords.ptr; memset(uv, 0, uvSize * float.sizeof); float* c = g_tempColors.ptr; memset(c, 1, cSize * float.sizeof); float* ptrV = v; float* ptrC = c; for (uint i = 0, j = numCoords - 1; i < numCoords; j = i++) { *ptrV = coords[i * 2]; *(ptrV + 1) = coords[i * 2 + 1]; ptrV += 2; *ptrV = coords[j * 2]; *(ptrV + 1) = coords[j * 2 + 1]; ptrV += 2; *ptrV = g_tempCoords[j * 2]; *(ptrV + 1) = g_tempCoords[j * 2 + 1]; ptrV += 2; *ptrV = g_tempCoords[j * 2]; *(ptrV + 1) = g_tempCoords[j * 2 + 1]; ptrV += 2; *ptrV = g_tempCoords[i * 2]; *(ptrV + 1) = g_tempCoords[i * 2 + 1]; ptrV += 2; *ptrV = coords[i * 2]; *(ptrV + 1) = coords[i * 2 + 1]; ptrV += 2; *ptrC = colf[0]; *(ptrC + 1) = colf[1]; *(ptrC + 2) = colf[2]; *(ptrC + 3) = colf[3]; ptrC += 4; *ptrC = colf[0]; *(ptrC + 1) = colf[1]; *(ptrC + 2) = colf[2]; *(ptrC + 3) = colf[3]; ptrC += 4; *ptrC = colTransf[0]; *(ptrC + 1) = colTransf[1]; *(ptrC + 2) = colTransf[2]; *(ptrC + 3) = colTransf[3]; ptrC += 4; *ptrC = colTransf[0]; *(ptrC + 1) = colTransf[1]; *(ptrC + 2) = colTransf[2]; *(ptrC + 3) = colTransf[3]; ptrC += 4; *ptrC = colTransf[0]; *(ptrC + 1) = colTransf[1]; *(ptrC + 2) = colTransf[2]; *(ptrC + 3) = colTransf[3]; ptrC += 4; *ptrC = colf[0]; *(ptrC + 1) = colf[1]; *(ptrC + 2) = colf[2]; *(ptrC + 3) = colf[3]; ptrC += 4; } for (uint i = 2; i < numCoords; ++i) { *ptrV = coords[0]; *(ptrV + 1) = coords[1]; ptrV += 2; *ptrV = coords[(i - 1) * 2]; *(ptrV + 1) = coords[(i - 1) * 2 + 1]; ptrV += 2; *ptrV = coords[i * 2]; *(ptrV + 1) = coords[i * 2 + 1]; ptrV += 2; *ptrC = colf[0]; *(ptrC + 1) = colf[1]; *(ptrC + 2) = colf[2]; *(ptrC + 3) = colf[3]; ptrC += 4; *ptrC = colf[0]; *(ptrC + 1) = colf[1]; *(ptrC + 2) = colf[2]; *(ptrC + 3) = colf[3]; ptrC += 4; *ptrC = colf[0]; *(ptrC + 1) = colf[1]; *(ptrC + 2) = colf[2]; *(ptrC + 3) = colf[3]; ptrC += 4; } glBindTexture(GL_TEXTURE_2D, g_whitetex); glBindVertexArray(g_vao); glBindBuffer(GL_ARRAY_BUFFER, g_vbos[0]); glBufferData(GL_ARRAY_BUFFER, vSize * float.sizeof, v, GL_STATIC_DRAW); glBindBuffer(GL_ARRAY_BUFFER, g_vbos[1]); glBufferData(GL_ARRAY_BUFFER, uvSize * float.sizeof, uv, GL_STATIC_DRAW); glBindBuffer(GL_ARRAY_BUFFER, g_vbos[2]); glBufferData(GL_ARRAY_BUFFER, cSize * float.sizeof, c, GL_STATIC_DRAW); glDrawArrays(GL_TRIANGLES, 0, (numCoords * 2 + numCoords - 2) * 3); } void drawRect(float x, float y, float w, float h, float fth, uint col) { const float[4 * 2] verts = [ x + 0.5f, y + 0.5f, x + w - 0.5f, y + 0.5f, x + w - 0.5f, y + h - 0.5f, x + 0.5f, y + h - 0.5f, ]; drawPolygon(verts.ptr, 4, fth, col); } /* void drawEllipse(float x, float y, float w, float h, float fth, uint col) { float verts[CIRCLE_VERTS*2]; const(float)* cverts = g_circleVerts; float* v = verts; for (int i = 0; i < CIRCLE_VERTS; ++i) { * v++ = x + cverts[i*2]*w; * v++ = y + cverts[i*2+1]*h; } drawPolygon(verts, CIRCLE_VERTS, fth, col); } */ void drawRoundedRect(float x, float y, float w, float h, float r, float fth, uint col) { const uint n = CIRCLE_VERTS / 4; float[(n + 1) * 4 * 2] verts; const(float)* cverts = g_circleVerts.ptr; float* v = verts.ptr; for (uint i = 0; i <= n; ++i) { *v++ = x + w - r + cverts[i * 2] * r; *v++ = y + h - r + cverts[i * 2 + 1] * r; } for (uint i = n; i <= n * 2; ++i) { *v++ = x + r + cverts[i * 2] * r; *v++ = y + h - r + cverts[i * 2 + 1] * r; } for (uint i = n * 2; i <= n * 3; ++i) { *v++ = x + r + cverts[i * 2] * r; *v++ = y + r + cverts[i * 2 + 1] * r; } for (uint i = n * 3; i < n * 4; ++i) { *v++ = x + w - r + cverts[i * 2] * r; *v++ = y + r + cverts[i * 2 + 1] * r; } *v++ = x + w - r + cverts[0] * r; *v++ = y + r + cverts[1] * r; drawPolygon(verts.ptr, (n + 1) * 4, fth, col); } void drawLine(float x0, float y0, float x1, float y1, float r, float fth, uint col) { float dx = x1 - x0; float dy = y1 - y0; float d = sqrt(dx * dx + dy * dy); if (d > 0.0001f) { d = 1.0f / d; dx *= d; dy *= d; } float nx = dy; float ny = -dx; float[4 * 2] verts; r -= fth; r *= 0.5f; if (r < 0.01f) r = 0.01f; dx *= r; dy *= r; nx *= r; ny *= r; verts[0] = x0 - dx - nx; verts[1] = y0 - dy - ny; verts[2] = x0 - dx + nx; verts[3] = y0 - dy + ny; verts[4] = x1 + dx + nx; verts[5] = y1 + dy + ny; verts[6] = x1 + dx - nx; verts[7] = y1 + dy - ny; drawPolygon(verts.ptr, 4, fth, col); } bool imguiRenderGLInit(const(char)[] fontpath, const uint fontTextureSize) { for (int i = 0; i < CIRCLE_VERTS; ++i) { float a = cast(float)i / cast(float)CIRCLE_VERTS * PI * 2; g_circleVerts[i * 2 + 0] = cos(a); g_circleVerts[i * 2 + 1] = sin(a); } // Load font. auto file = File(cast(string)fontpath, "rb"); g_font_texture_size = fontTextureSize; FILE* fp = file.getFP(); if (!fp) return false; fseek(fp, 0, SEEK_END); size_t size = cast(size_t)ftell(fp); fseek(fp, 0, SEEK_SET); ubyte* ttfBuffer = cast(ubyte*)malloc(size); if (!ttfBuffer) { return false; } fread(ttfBuffer, 1, size, fp); // fclose(fp); fp = null; ubyte* bmap = cast(ubyte*)malloc(g_font_texture_size * g_font_texture_size); if (!bmap) { free(ttfBuffer); return false; } const result = stbtt_BakeFontBitmap(ttfBuffer, 0, 15.0f, bmap, g_font_texture_size, g_font_texture_size, FIRST_CHARACTER, g_max_character_count, g_cdata.ptr); // If result is negative, we baked less than max characters so update the max // character count. if(result < 0) { g_max_character_count = -result; } // can free ttf_buffer at this point glGenTextures(1, &g_ftex); glBindTexture(GL_TEXTURE_2D, g_ftex); glTexImage2D(GL_TEXTURE_2D, 0, GL_RED, g_font_texture_size, g_font_texture_size, 0, GL_RED, GL_UNSIGNED_BYTE, bmap); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR); // can free ttf_buffer at this point ubyte white_alpha = 255; glGenTextures(1, &g_whitetex); glBindTexture(GL_TEXTURE_2D, g_whitetex); glTexImage2D(GL_TEXTURE_2D, 0, GL_RED, 1, 1, 0, GL_RED, GL_UNSIGNED_BYTE, &white_alpha); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR); glGenVertexArrays(1, &g_vao); glGenBuffers(3, g_vbos.ptr); glBindVertexArray(g_vao); glEnableVertexAttribArray(0); glEnableVertexAttribArray(1); glEnableVertexAttribArray(2); glBindBuffer(GL_ARRAY_BUFFER, g_vbos[0]); glVertexAttribPointer(0, 2, GL_FLOAT, GL_FALSE, GL_FLOAT.sizeof * 2, null); glBufferData(GL_ARRAY_BUFFER, 0, null, GL_STATIC_DRAW); glBindBuffer(GL_ARRAY_BUFFER, g_vbos[1]); glVertexAttribPointer(1, 2, GL_FLOAT, GL_FALSE, GL_FLOAT.sizeof * 2, null); glBufferData(GL_ARRAY_BUFFER, 0, null, GL_STATIC_DRAW); glBindBuffer(GL_ARRAY_BUFFER, g_vbos[2]); glVertexAttribPointer(2, 4, GL_FLOAT, GL_FALSE, GL_FLOAT.sizeof * 4, null); glBufferData(GL_ARRAY_BUFFER, 0, null, GL_STATIC_DRAW); g_program = glCreateProgram(); string vs = "#version 150\n" "uniform vec2 Viewport;\n" "in vec2 VertexPosition;\n" "in vec2 VertexTexCoord;\n" "in vec4 VertexColor;\n" "out vec2 texCoord;\n" "out vec4 vertexColor;\n" "void main(void)\n" "{\n" " vertexColor = VertexColor;\n" " texCoord = VertexTexCoord;\n" " gl_Position = vec4(VertexPosition * 2.0 / Viewport - 1.0, 0.f, 1.0);\n" "}\n"; GLuint vso = glCreateShader(GL_VERTEX_SHADER); auto vsPtr = vs.ptr; glShaderSource(vso, 1, &vsPtr, null); glCompileShader(vso); glAttachShader(g_program, vso); string fs = "#version 150\n" "in vec2 texCoord;\n" "in vec4 vertexColor;\n" "uniform sampler2D Texture;\n" "out vec4 Color;\n" "void main(void)\n" "{\n" " float alpha = texture(Texture, texCoord).r;\n" " Color = vec4(vertexColor.rgb, vertexColor.a * alpha);\n" "}\n"; GLuint fso = glCreateShader(GL_FRAGMENT_SHADER); auto fsPtr = fs.ptr; glShaderSource(fso, 1, &fsPtr, null); glCompileShader(fso); glAttachShader(g_program, fso); glBindAttribLocation(g_program, 0, "VertexPosition"); glBindAttribLocation(g_program, 1, "VertexTexCoord"); glBindAttribLocation(g_program, 2, "VertexColor"); glBindFragDataLocation(g_program, 0, "Color"); glLinkProgram(g_program); glDetachShader(g_program, vso); glDetachShader(g_program, fso); glDeleteShader(vso); glDeleteShader(fso); glUseProgram(g_program); g_programViewportLocation = glGetUniformLocation(g_program, "Viewport"); g_programTextureLocation = glGetUniformLocation(g_program, "Texture"); glUseProgram(0); free(ttfBuffer); free(bmap); return true; } void imguiRenderGLDestroy() { if (g_ftex) { glDeleteTextures(1, &g_ftex); g_ftex = 0; } if (g_whitetex) { glDeleteTextures(1, &g_whitetex); g_whitetex = 0; } if (g_vao) { glDeleteVertexArrays(1, &g_vao); glDeleteBuffers(3, g_vbos.ptr); g_vao = 0; } if (g_program) { glDeleteProgram(g_program); g_program = 0; } } void getBakedQuad(stbtt_bakedchar* chardata, int pw, int ph, int char_index, float* xpos, float* ypos, stbtt_aligned_quad* q) { stbtt_bakedchar* b = chardata + char_index; int round_x = STBTT_ifloor(*xpos + b.xoff); int round_y = STBTT_ifloor(*ypos - b.yoff); q.x0 = cast(float)round_x; q.y0 = cast(float)round_y; q.x1 = cast(float)round_x + b.x1 - b.x0; q.y1 = cast(float)round_y - b.y1 + b.y0; q.s0 = b.x0 / cast(float)pw; q.t0 = b.y0 / cast(float)pw; q.s1 = b.x1 / cast(float)ph; q.t1 = b.y1 / cast(float)ph; *xpos += b.xadvance; } float getTextLength(stbtt_bakedchar* chardata, const(char)[] text) { float xpos = 0; float len = 0; // The cast(string) is only there for UTF-8 decoding. foreach (dchar c; cast(string)text) { if (c == '\t') { for (int i = 0; i < 4; ++i) { if (xpos < g_tabStops[i]) { xpos = g_tabStops[i]; break; } } } else if (cast(int)c >= FIRST_CHARACTER && cast(int)c < FIRST_CHARACTER + g_max_character_count) { stbtt_bakedchar* b = chardata + c - FIRST_CHARACTER; int round_x = STBTT_ifloor((xpos + b.xoff) + 0.5); len = round_x + b.x1 - b.x0 + 0.5f; xpos += b.xadvance; } } return len; } float getTextLength(const(char)[] text) { return getTextLength(g_cdata.ptr, text); } void drawText(float x, float y, const(char)[] text, int align_, uint col) { if (!g_ftex) return; if (!text) return; if (align_ == TextAlign.center) x -= getTextLength(g_cdata.ptr, text) / 2; else if (align_ == TextAlign.right) x -= getTextLength(g_cdata.ptr, text); float r = cast(float)(col & 0xff) / 255.0; float g = cast(float)((col >> 8) & 0xff) / 255.0; float b = cast(float)((col >> 16) & 0xff) / 255.0; float a = cast(float)((col >> 24) & 0xff) / 255.0; // assume orthographic projection with units = screen pixels, origin at top left glBindTexture(GL_TEXTURE_2D, g_ftex); const float ox = x; // The cast(string) is only there for UTF-8 decoding. foreach (dchar c; cast(string)text) { if (c == '\t') { for (int i = 0; i < 4; ++i) { if (x < g_tabStops[i] + ox) { x = g_tabStops[i] + ox; break; } } } else if (c >= FIRST_CHARACTER && c < FIRST_CHARACTER + g_max_character_count) { stbtt_aligned_quad q; getBakedQuad(g_cdata.ptr, g_font_texture_size, g_font_texture_size, c - FIRST_CHARACTER, &x, &y, &q); float[12] v = [ q.x0, q.y0, q.x1, q.y1, q.x1, q.y0, q.x0, q.y0, q.x0, q.y1, q.x1, q.y1, ]; float[12] uv = [ q.s0, q.t0, q.s1, q.t1, q.s1, q.t0, q.s0, q.t0, q.s0, q.t1, q.s1, q.t1, ]; float[24] cArr = [ r, g, b, a, r, g, b, a, r, g, b, a, r, g, b, a, r, g, b, a, r, g, b, a, ]; glBindVertexArray(g_vao); glBindBuffer(GL_ARRAY_BUFFER, g_vbos[0]); glBufferData(GL_ARRAY_BUFFER, 12 * float.sizeof, v.ptr, GL_STATIC_DRAW); glBindBuffer(GL_ARRAY_BUFFER, g_vbos[1]); glBufferData(GL_ARRAY_BUFFER, 12 * float.sizeof, uv.ptr, GL_STATIC_DRAW); glBindBuffer(GL_ARRAY_BUFFER, g_vbos[2]); glBufferData(GL_ARRAY_BUFFER, 24 * float.sizeof, cArr.ptr, GL_STATIC_DRAW); glDrawArrays(GL_TRIANGLES, 0, 6); } } // glEnd(); // glDisable(GL_TEXTURE_2D); } void imguiRenderGLDraw(int width, int height) { const imguiGfxCmd* q = imguiGetRenderQueue(); int nq = imguiGetRenderQueueSize(); const float s = 1.0f / 8.0f; glViewport(0, 0, width, height); glUseProgram(g_program); glActiveTexture(GL_TEXTURE0); glUniform2f(g_programViewportLocation, cast(float)width, cast(float)height); glUniform1i(g_programTextureLocation, 0); glDisable(GL_SCISSOR_TEST); for (int i = 0; i < nq; ++i) { auto cmd = &q[i]; if (cmd.type == IMGUI_GFXCMD_RECT) { if (cmd.rect.r == 0) { drawRect(cast(float)cmd.rect.x * s + 0.5f, cast(float)cmd.rect.y * s + 0.5f, cast(float)cmd.rect.w * s - 1, cast(float)cmd.rect.h * s - 1, 1.0f, cmd.col); } else { drawRoundedRect(cast(float)cmd.rect.x * s + 0.5f, cast(float)cmd.rect.y * s + 0.5f, cast(float)cmd.rect.w * s - 1, cast(float)cmd.rect.h * s - 1, cast(float)cmd.rect.r * s, 1.0f, cmd.col); } } else if (cmd.type == IMGUI_GFXCMD_LINE) { drawLine(cmd.line.x0 * s, cmd.line.y0 * s, cmd.line.x1 * s, cmd.line.y1 * s, cmd.line.r * s, 1.0f, cmd.col); } else if (cmd.type == IMGUI_GFXCMD_TRIANGLE) { if (cmd.flags == 1) { const float[3 * 2] verts = [ cast(float)cmd.rect.x * s + 0.5f, cast(float)cmd.rect.y * s + 0.5f, cast(float)cmd.rect.x * s + 0.5f + cast(float)cmd.rect.w * s - 1, cast(float)cmd.rect.y * s + 0.5f + cast(float)cmd.rect.h * s / 2 - 0.5f, cast(float)cmd.rect.x * s + 0.5f, cast(float)cmd.rect.y * s + 0.5f + cast(float)cmd.rect.h * s - 1, ]; drawPolygon(verts.ptr, 3, 1.0f, cmd.col); } if (cmd.flags == 2) { const float[3 * 2] verts = [ cast(float)cmd.rect.x * s + 0.5f, cast(float)cmd.rect.y * s + 0.5f + cast(float)cmd.rect.h * s - 1, cast(float)cmd.rect.x * s + 0.5f + cast(float)cmd.rect.w * s / 2 - 0.5f, cast(float)cmd.rect.y * s + 0.5f, cast(float)cmd.rect.x * s + 0.5f + cast(float)cmd.rect.w * s - 1, cast(float)cmd.rect.y * s + 0.5f + cast(float)cmd.rect.h * s - 1, ]; drawPolygon(verts.ptr, 3, 1.0f, cmd.col); } } else if (cmd.type == IMGUI_GFXCMD_TEXT) { auto clipRect = g_state.scrollArea[cmd.areaId].clipRect; if ((cmd.text.y >= clipRect.y) && (cmd.text.y < (clipRect.h+clipRect.y)) && (cmd.text.x >= clipRect.x) && (cmd.text.x < (clipRect.w+clipRect.x))) { drawText(cmd.text.x, cmd.text.y, cmd.text.text, cmd.text.align_, cmd.col); } } else if (cmd.type == IMGUI_GFXCMD_SCISSOR) { if (cmd.flags) { glEnable(GL_SCISSOR_TEST); glScissor(cmd.rect.x, cmd.rect.y, cmd.rect.w, cmd.rect.h); } else { glDisable(GL_SCISSOR_TEST); } } } glDisable(GL_SCISSOR_TEST); glUseProgram(0); }
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_16_BeT-4637592261.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_16_BeT-4637592261.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
/Users/go7hic/workspace/Github/Rust-in-action/kt/target/debug/deps/clap-44971ce4e2d9881c.rmeta: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/lib.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/macros.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/mod.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/settings.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/parser.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/meta.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/help.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/validator.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/usage.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/mod.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/macros.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/any_arg.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_matches.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_matcher.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/subcommand.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/mod.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/flag.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/positional.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/option.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/base.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/valued.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/switched.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/matched_arg.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/group.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/settings.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/usage_parser.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/fmt.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/suggestions.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/errors.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/osstringext.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/strext.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/mod.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/macros.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/bash.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/fish.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/zsh.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/powershell.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/elvish.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/shell.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/map.rs /Users/go7hic/workspace/Github/Rust-in-action/kt/target/debug/deps/clap-44971ce4e2d9881c.d: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/lib.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/macros.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/mod.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/settings.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/parser.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/meta.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/help.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/validator.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/usage.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/mod.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/macros.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/any_arg.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_matches.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_matcher.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/subcommand.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/mod.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/flag.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/positional.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/option.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/base.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/valued.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/switched.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/matched_arg.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/group.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/settings.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/usage_parser.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/fmt.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/suggestions.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/errors.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/osstringext.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/strext.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/mod.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/macros.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/bash.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/fish.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/zsh.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/powershell.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/elvish.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/shell.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/map.rs /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/lib.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/macros.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/mod.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/settings.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/parser.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/meta.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/help.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/validator.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/app/usage.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/mod.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/macros.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/any_arg.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_matches.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_matcher.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/subcommand.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/mod.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/flag.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/positional.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/option.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/base.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/valued.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/arg_builder/switched.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/matched_arg.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/group.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/args/settings.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/usage_parser.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/fmt.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/suggestions.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/errors.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/osstringext.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/strext.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/mod.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/macros.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/bash.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/fish.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/zsh.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/powershell.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/elvish.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/completions/shell.rs: /Users/go7hic/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/clap-2.32.0/src/map.rs:
D
/** * Copyright: © 2014 Gushcha Anton * License: Subject to the terms of the MIT license, as written in the included LICENSE file. * Authors: NCrashed <ncrashed@gmail.com> */ module ogre.manualObject; import ogre.c.fwd; import ogre.wrapper; class ManualObject { this(ManualObjectHandle handle) { this.handle = handle; } mixin Wrapper!(ManualObject, ManualObjectHandle); }
D
/Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/EVReflection.build/Objects-normal/x86_64/PrintOptions.o : /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVReflectable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVCustomReflectable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVArrayExtension.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVDictionaryExtension.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVReflection.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/ConversionOptions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/PrintOptions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVWorkaroundHelpers.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/DeserializationStatus.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVObject.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/Target\ Support\ Files/EVReflection/EVReflection-umbrella.h /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/EVReflection.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/EVReflection.build/Objects-normal/x86_64/PrintOptions~partial.swiftmodule : /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVReflectable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVCustomReflectable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVArrayExtension.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVDictionaryExtension.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVReflection.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/ConversionOptions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/PrintOptions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVWorkaroundHelpers.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/DeserializationStatus.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVObject.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/Target\ Support\ Files/EVReflection/EVReflection-umbrella.h /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/EVReflection.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/EVReflection.build/Objects-normal/x86_64/PrintOptions~partial.swiftdoc : /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVReflectable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVCustomReflectable.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVArrayExtension.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVDictionaryExtension.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVReflection.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/ConversionOptions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/PrintOptions.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVWorkaroundHelpers.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/DeserializationStatus.swift /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/EVReflection/Source/EVObject.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Pods/Target\ Support\ Files/EVReflection/EVReflection-umbrella.h /Users/babaiholdings/Documents/AlchemintWalletiOS/AlchemintProject/Build/Intermediates.noindex/IBDesignables/Intermediates.noindex/Pods.build/Debug-iphonesimulator/EVReflection.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
#!/usr/bin/env rdmd import std.stdio; import std.conv; import std.getopt; enum GifBlockType { Header, GlobalColorTable, GraphicsControlExtension, ApplicationExtension, CommentExtension, PlainTextExtension, TableBasedImage, } enum ubyte ImageSeparator = 0x2C; enum ubyte ExtensionIntroducer = 0x21; enum ubyte GraphicControlLabel = 0xF9; enum ubyte CommentLabel = 0xFE; enum ubyte PlainTextLabel = 0x01; enum ubyte ApplicationExtensionLabel = 0xFF; enum ubyte TrailerByte = 0x3B; alias void function(GifBlockType, size_t, size_t, void*) GifCallback; uint ColorCount(ubyte tableSize) { return 2 ^^ (tableSize + 1); } struct HeaderBlock { string signature; string gifVersion; ushort canvasWidth; ushort canvasHeight; ubyte bgColorIndex; ubyte aspectRatio; ubyte colorTableFlag; ubyte colorResolution; ubyte sortFlag; ubyte colorTableSize; } struct ColorTableBlock { ubyte[] table; } struct GraphicsControlExtensionBlock { ubyte extensionIntroducer; ubyte graphicControlLabel; ubyte blockByteSize; ubyte reserved; ubyte disposalMethod; bool userInputFlag; bool transparentColorFlag; ushort delayTime; ubyte transparentColorIndex; ubyte blockTerminator; } struct ApplicationExtensionBlock { ubyte extensionIntroducer; ubyte label; ubyte blockByteSize; string applicationIdentifier; ubyte[3] authCode; ubyte[] data; } struct TableBasedImageBlock { ushort imageSeparator; ushort left; ushort top; ushort width; ushort height; bool localColorTableFlag; bool interlaceFlag; bool sortFlag; ubyte reserved; ubyte localColorTableSize; ColorTableBlock colorTable; ubyte blocksRead; } /+ Gradually reads through given file and calls back as it encounters sections of the GIF. GIF89a grammar excerpt: (http://www.w3.org/Graphics/GIF/spec-gif89a.txt) <GIF Data Stream> ::= Header <Logical Screen> <Data>* Trailer <Logical Screen> ::= Logical Screen Descriptor [Global Color Table] <Data> ::= <Graphic Block> | <Special-Purpose Block> <Graphic Block> ::= [Graphic Control Extension] <Graphic-Rendering Block> <Graphic-Rendering Block> ::= <Table-Based Image> | Plain Text Extension <Table-Based Image> ::= Image Descriptor [Local Color Table] Image Data <Special-Purpose Block> ::= Application Extension | Comment Extension +/ class GifReader { File input; GifCallback callback; this(ref File input, GifCallback callback) { this.input = input; if (callback == null) { // Default callback when not provided. callback = (type, start, end, dataPtr) { writefln("Encountered block of type %u", type); }; } this.callback = callback; this.ReadHeader(); this.ReadGlobalColorTable(); bool didReadBlock; do { didReadBlock = this.ReadNextBlock(); } while (didReadBlock); } private bool ReadNextBlock() { ubyte[1] blockPreamble; size_t position = this.input.tell(); this.input.rawRead(blockPreamble); ubyte nextByte = blockPreamble[0]; if (nextByte == ImageSeparator) { this.input.seek(position); this.ReadTableBasedImage(); return true; } else if (nextByte == ExtensionIntroducer) { ubyte[1] extensionLabel; this.input.rawRead(extensionLabel); ubyte label = extensionLabel[0]; switch (label) { case GraphicControlLabel: this.input.seek(position); this.ReadGraphicsControlExtension(); return true; break; case ApplicationExtensionLabel: this.input.seek(position); this.ReadApplicationExtension(); return true; break; case CommentLabel: this.input.seek(position); writefln("HRRRRR CommentLabel"); return true; break; case PlainTextLabel: this.input.seek(position); writefln("HRRRRR PlainTextLabel"); return true; break; default: writefln("Unexpected extension label 0x%X", label); return false; break; } } else if (nextByte == TrailerByte) { writefln("Trailer byte."); return false; } return false; } private HeaderBlock* header; public ColorTableBlock* globalColorTable; private void ReadHeader() { HeaderBlock headerBlock; size_t start = this.input.tell(); char[3] sig; this.input.rawRead(sig); headerBlock.signature = to!string(sig); char[3] vers; this.input.rawRead(vers); headerBlock.gifVersion = to!string(vers); // Logical screen descriptor. ubyte[7] screen; this.input.rawRead(screen); headerBlock.canvasWidth = cast(ushort) (screen[1] << 8 | screen[0]); headerBlock.canvasHeight = cast(ushort) (screen[3] << 8 | screen[2]); ubyte packed = screen[4]; headerBlock.colorTableFlag = (0b10000000 & packed) >> 7; headerBlock.colorResolution = (0b01110000 & packed) >> 4; headerBlock.sortFlag = (0b00001000 & packed) >> 3; headerBlock.colorTableSize = (0b00000111 & packed); headerBlock.bgColorIndex = screen[5]; headerBlock.aspectRatio = screen[6]; this.header = &headerBlock; size_t end = this.input.tell(); this.callback(GifBlockType.Header, start, end, &headerBlock); } private void ReadGlobalColorTable() { if (this.header.colorTableFlag == 0) { // There is no global color table. this.globalColorTable = null; return; } size_t start = this.input.tell(); ColorTableBlock globalColorTable; globalColorTable.table.length = 3 * ColorCount(this.header.colorTableSize); this.input.rawRead(globalColorTable.table); size_t end = this.input.tell(); this.callback(GifBlockType.GlobalColorTable, start, end, &globalColorTable); } private void ReadGraphicsControlExtension() { GraphicsControlExtensionBlock extension; size_t start = this.input.tell(); ubyte[8] data; this.input.rawRead(data); extension.extensionIntroducer = data[0]; extension.graphicControlLabel = data[1]; extension.blockByteSize = data[2]; ubyte packed = data[3]; extension.reserved = (0b11100000 & packed) >> 5; extension.disposalMethod = (0b00011100 & packed) >> 2; extension.userInputFlag = (0b00000010 & packed) >> 1; extension.transparentColorFlag = (0b00000001 & packed); extension.delayTime = (data[4] << 8) | data[5]; extension.transparentColorIndex = data[6]; extension.blockTerminator = data[7]; size_t end = this.input.tell(); this.callback(GifBlockType.GraphicsControlExtension, start, end, &extension); } private void ReadApplicationExtension() { ApplicationExtensionBlock extension; size_t start = this.input.tell(); ubyte[14] data; this.input.rawRead(data); extension.extensionIntroducer = data[0]; extension.label = data[1]; extension.blockByteSize = data[2]; extension.applicationIdentifier = cast(string)(data[3..11]); extension.authCode = data[11..14]; while (true) { ubyte[1] dataChunk; this.input.rawRead(dataChunk); ubyte blockSize = dataChunk[0]; if (blockSize == 0) { // End of stream. break; } auto block = new ubyte[blockSize]; this.input.rawRead(block); extension.data ~= block; } size_t end = this.input.tell(); this.callback(GifBlockType.ApplicationExtension, start, end, &extension); } private void ReadTableBasedImage() { TableBasedImageBlock block; ubyte[10] data; size_t start = this.input.tell(); this.input.rawRead(data); block.imageSeparator = data[0]; block.left = data[1] | data[2] << 8; block.top = data[3] | data[4] << 8; block.width = data[5] | data[6] << 8; block.height = data[7] | data[8] << 8; ubyte packed = data[9]; block.localColorTableFlag = (packed & 0b10000000) >> 7; block.interlaceFlag = (packed & 0b01000000) >> 6; block.sortFlag = (packed & 0b00100000) >> 5; block.reserved = (packed & 0b00011000) >> 3; block.localColorTableSize = (packed & 0b00000111); if (block.localColorTableFlag) { block.colorTable.table.length = 3 * ColorCount(block.localColorTableSize); this.input.rawRead(block.colorTable.table); } // Now we're at the image data blocks. Just fast-forward past them for // now. ubyte[1] minimumCodeSize; this.input.rawRead(minimumCodeSize); block.blocksRead = 0; while (true) { ubyte[1] blockSize; this.input.rawRead(blockSize); if (blockSize[0] == 0) { break; } auto dataBlock = new ubyte[blockSize[0]]; this.input.rawRead(dataBlock); block.blocksRead++; } size_t end = this.input.tell(); this.callback(GifBlockType.TableBasedImage, start, end, &block); } @property public uint[] GlobalColors() { uint[] colors; auto table = this.globalColorTable.table; uint colorCount = ColorCount(this.header.colorTableSize); for (int i = 0; i < colorCount * 3; i += 3) { ubyte red = table[i + 0]; ubyte green = table[i + 1]; ubyte blue = table[i + 2]; colors ~= (red << 16) | (green << 8) | blue; } return colors; } } void FoundBlock(GifBlockType blockType, size_t start, size_t end, void* data) { writefln("Block type %s from 0x%X to 0x%X (length 0x%X bytes)", blockType, start, end, end - start); if (!verbose) { return; } switch (blockType) { case GifBlockType.Header: auto header = cast(HeaderBlock*)(data); writefln("%s %s", header.signature, header.gifVersion); writefln("Dimensions: %d x %d", header.canvasWidth, header.canvasHeight); writefln("Global color table flag: %d", header.colorTableFlag); writefln("Color resolution: 0b%b (%d bits/pixel)", header.colorResolution, header.colorResolution + 1); writefln("Sort flag: %d", header.sortFlag); writefln("Global color table size: %d (%d)", header.colorTableSize, ColorCount(header.colorTableSize)); writefln("BG color index: %d", header.bgColorIndex); writefln("Pixel aspect ratio: %d", header.aspectRatio); writeln(); break; case GifBlockType.GlobalColorTable: break; case GifBlockType.GraphicsControlExtension: auto block = cast(GraphicsControlExtensionBlock*)(data); writefln("\nGraphics Control Extension:"); writefln("Extension intro: 0x%X", block.extensionIntroducer); writefln("Graphic control label: 0x%X", block.graphicControlLabel); writefln("Block byte size: %d", block.blockByteSize); writefln("'reserved': %d", block.reserved); writefln("Disposal method: %d", block.disposalMethod); writefln("User input flag %d", block.userInputFlag); writefln("Transparent color flag: %d", block.transparentColorFlag); writefln("Delay time: %d", block.delayTime); writefln("Transparent color index: %d", block.transparentColorIndex); writefln("Block teminator: %d", block.blockTerminator); writeln(); break; case GifBlockType.ApplicationExtension: auto block = cast(ApplicationExtensionBlock*)(data); writefln("\nExtension intro: 0x%X", block.extensionIntroducer); writefln("Label: 0x%X", block.label); writefln("Block byte size: %d", block.blockByteSize); writefln("Application identifier: '%s'", block.applicationIdentifier); writefln("Auth code: '%s'", cast(string)(block.authCode)); writefln("Data length: %d", block.data.length); writeln(); break; case GifBlockType.TableBasedImage: auto block = cast(TableBasedImageBlock*)(data); writefln("\nImage separator: 0x%X", block.imageSeparator); writefln("Image position: %d, %d", block.left, block.top); writefln("Image size: %d x %d", block.width, block.height); writefln("Local color table flag: %d", block.localColorTableFlag); writefln("Interlace flag: %d", block.interlaceFlag); writefln("Sort flag: %d", block.sortFlag); writefln("'reserved': %d", block.reserved); writefln("Local color table size: %d", block.localColorTableSize); writefln("Image data blocks read: %d", block.blocksRead); writeln(); break; default: assert(false, "Invalid GifBlockType."); break; } } bool showHelp = false; bool verbose = false; void main(string[] args) { getopt(args, "help|h", &showHelp, "verbose|v", &verbose); if (showHelp) { writefln("giftool"); writefln("Usage:"); writefln("--help -h: Show help."); writefln("--verbose -v: Show more stuff."); writefln("\nExamples:"); writefln("\t./giftool < joker1.gif"); writefln("\t./giftool --verbose < joker1.gif"); return; } auto reader = new GifReader(stdin, &FoundBlock); }
D
import tokenizer; import tokenizer.utils; import result; import constructs.include; import constructs.const_struct; import constructs.all_of_struct; import constructs.struct_invoke_on; import constructs.struct_invoke_switchifeq; import constructs.auto_array; import constructs.decl_offset_group; import constructs.impl_offset_group; import constructs.arena; import constructs.struct_alias; import fs = std.file; import std.stdio; import std.container.array; import std.path; import std.utf; bool transformPass(ref TokenStream tokens, ref Arena arena, ref ConstStructParser constStruct) { const auto size = tokens.length(); Result!bool err; { scope auto inc = new Include(); err = inc.apply(tokens); if (!err.isOk()) { writeln(err.msg); return false; } } scope auto declOfs = new DeclareOffsetGroup(); err = declOfs.apply(tokens); if (!err.isOk()) { writeln(err.msg); return false; } { scope auto implOfs = new ImplOffsetGroup(); implOfs.setOFSMgr(declOfs); err = implOfs.apply(tokens); if (!err.isOk()) { writeln(err.msg); return false; } } if (arena is null) { arena = new Arena(); err = arena.apply(tokens); if (!err.isOk()) { writeln(err.msg); return false; } } if (constStruct is null) { constStruct = new ConstStructParser(); constStruct.setArena(arena); err = constStruct.parse(tokens); if (!err.isOk()) { writeln(err.msg); return false; } } { scope auto structAlias = new StructAlias(); structAlias.setConstStructTool(constStruct); err = structAlias.apply(tokens); if (!err.isOk()) { writeln(err.msg); return false; } } err = constStruct.parseImpls(tokens); if (!err.isOk()) { writeln(err.msg); return false; } arena.report(); { scope auto allOfStruct = new AllOfStruct(); allOfStruct.setConstStructTool(constStruct); err = allOfStruct.apply(tokens); if (!err.isOk()) { writeln(err.msg); return false; } } { scope auto invokeOn = new StructInvokeOn(); invokeOn.setConstStructTool(constStruct); err = invokeOn.apply(tokens); if (!err.isOk()) { writeln(err.msg); return false; } } { scope auto autoArray = new AutoArray(); err = autoArray.apply(tokens); if (!err.isOk()) { writeln(err.msg); return false; } } { scope auto invokeSwitch = new StructInvokeSwitchIfEq(); invokeSwitch.setConstStructTool(constStruct); err = invokeSwitch.apply(tokens); if (!err.isOk()) { writeln(err.msg); return false; } } err = constStruct.apply(tokens); if (!err.isOk()) { writeln(err.msg); return false; } return size != tokens.length(); } void main(string[] args) { writeln("paper - I probably over-engineered this"); if (args.length < 2) { writeln("You must provide an input script path"); return; } if (args.length < 3) { writeln("You must provide an output script path"); return; } string data; try { data = cast(string)fs.read(args[1]); } catch(fs.FileException e) { writeln("Failed to read input file: ", e.toString()); return; } // Change the working directory to that of the input file auto p = absolutePath(args[1]).buildNormalizedPath.dirName; fs.chdir(p); TokenStream tokens; auto err = tokenize(data, tokens); if (!err.isOk()) { writeln(err.msg); return; } Arena arena = null; ConstStructParser constStruct = null; while (transformPass(tokens, arena, constStruct)) {} try { if (fs.exists(args[2])) fs.remove(args[2]); fs.write(args[2].toUTF8, streamToString(tokens).toUTF8); } catch (fs.FileException e) { writeln("Failed to write to output file: ", e.toString()); } }
D
change directions as if revolving on a pivot wheel somebody or something move along on or as if on wheels or a wheeled vehicle ride a bicycle having wheels
D
/Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/Models/FunctionInfo.swift.o : /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/Metadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/TupleMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/ProtocolMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/EnumMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/FuntionMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/ClassMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/StructMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Kind.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ValueWitnessTable.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/TypeInfoConvertible.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/MetadataType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/NominalMetadataType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/MetadataLayoutType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Case.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Factory/DefaultValue.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Union.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/TypeInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/FunctionInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/PropertyInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TargetTypeGenericContextDescriptorHeader.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassHeader.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolTypeContainer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ExistentialContainter.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/RelativePointer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/RelativeVectorPointer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Vector.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/FieldDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/EnumTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/StructTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/String+Extensions.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/Pointer+Extensions.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Pointers.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/GettersSetters.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Errors.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/RetainCounts.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TupleMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/EnumMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/FunctionMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/StructMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Factory/Factory.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/CRuntime/Sources/CRuntime/CRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP2.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_Vapor3.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHPACK.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/GraphQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CJWTKitBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FCM.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/BSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FineJSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWT.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOExtrasZlib.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Backtrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CBacktrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolConformance.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombine.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolType.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKittenCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketInfrastructure.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ApodiniDatabase.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtobufferCoding.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Casting.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineDispatch.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Apodini.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKitBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKitten.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTPCompression.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineFoundation.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SwifCron.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_MongoKittenCrypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CURLParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RichJSONParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CMultipartParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMySQLDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQLiteDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMongoDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentPostgresDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTVapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AssociatedTypeRequirementsVisitor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOExtras.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Jobs.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Metrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CoreMetrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTransportServices.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTestUtils.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Yams.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_NIO1APIShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Notifications.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COpenCombineHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ValuePointers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNSwift.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenAPIKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWTKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RoutingKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MultipartKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncHTTPClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/DNSClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTFluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CContext.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Meow.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/CRuntime/Sources/CRuntime/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/Models/FunctionInfo~partial.swiftmodule : /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/Metadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/TupleMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/ProtocolMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/EnumMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/FuntionMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/ClassMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/StructMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Kind.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ValueWitnessTable.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/TypeInfoConvertible.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/MetadataType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/NominalMetadataType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/MetadataLayoutType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Case.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Factory/DefaultValue.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Union.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/TypeInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/FunctionInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/PropertyInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TargetTypeGenericContextDescriptorHeader.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassHeader.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolTypeContainer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ExistentialContainter.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/RelativePointer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/RelativeVectorPointer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Vector.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/FieldDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/EnumTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/StructTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/String+Extensions.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/Pointer+Extensions.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Pointers.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/GettersSetters.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Errors.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/RetainCounts.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TupleMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/EnumMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/FunctionMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/StructMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Factory/Factory.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/CRuntime/Sources/CRuntime/CRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP2.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_Vapor3.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHPACK.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/GraphQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CJWTKitBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FCM.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/BSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FineJSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWT.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOExtrasZlib.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Backtrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CBacktrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolConformance.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombine.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolType.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKittenCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketInfrastructure.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ApodiniDatabase.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtobufferCoding.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Casting.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineDispatch.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Apodini.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKitBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKitten.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTPCompression.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineFoundation.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SwifCron.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_MongoKittenCrypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CURLParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RichJSONParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CMultipartParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMySQLDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQLiteDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMongoDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentPostgresDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTVapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AssociatedTypeRequirementsVisitor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOExtras.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Jobs.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Metrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CoreMetrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTransportServices.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTestUtils.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Yams.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_NIO1APIShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Notifications.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COpenCombineHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ValuePointers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNSwift.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenAPIKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWTKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RoutingKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MultipartKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncHTTPClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/DNSClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTFluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CContext.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Meow.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/CRuntime/Sources/CRuntime/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/Models/FunctionInfo~partial.swiftdoc : /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/Metadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/TupleMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/ProtocolMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/EnumMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/FuntionMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/ClassMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/StructMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Kind.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ValueWitnessTable.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/TypeInfoConvertible.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/MetadataType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/NominalMetadataType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/MetadataLayoutType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Case.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Factory/DefaultValue.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Union.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/TypeInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/FunctionInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/PropertyInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TargetTypeGenericContextDescriptorHeader.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassHeader.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolTypeContainer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ExistentialContainter.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/RelativePointer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/RelativeVectorPointer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Vector.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/FieldDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/EnumTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/StructTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/String+Extensions.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/Pointer+Extensions.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Pointers.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/GettersSetters.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Errors.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/RetainCounts.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TupleMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/EnumMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/FunctionMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/StructMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Factory/Factory.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/CRuntime/Sources/CRuntime/CRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP2.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_Vapor3.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHPACK.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/GraphQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CJWTKitBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FCM.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/BSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FineJSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWT.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOExtrasZlib.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Backtrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CBacktrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolConformance.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombine.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolType.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKittenCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketInfrastructure.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ApodiniDatabase.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtobufferCoding.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Casting.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineDispatch.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Apodini.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKitBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKitten.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTPCompression.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineFoundation.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SwifCron.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_MongoKittenCrypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CURLParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RichJSONParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CMultipartParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMySQLDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQLiteDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMongoDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentPostgresDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTVapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AssociatedTypeRequirementsVisitor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOExtras.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Jobs.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Metrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CoreMetrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTransportServices.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTestUtils.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Yams.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_NIO1APIShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Notifications.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COpenCombineHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ValuePointers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNSwift.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenAPIKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWTKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RoutingKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MultipartKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncHTTPClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/DNSClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTFluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CContext.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Meow.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/CRuntime/Sources/CRuntime/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/Models/FunctionInfo~partial.swiftsourceinfo : /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/Metadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/TupleMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/ProtocolMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/EnumMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/FuntionMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/ClassMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/StructMetadata.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Kind.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ValueWitnessTable.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/TypeInfoConvertible.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/MetadataType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Metadata/NominalMetadataType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/MetadataLayoutType.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Case.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Factory/DefaultValue.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Union.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/TypeInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/FunctionInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/PropertyInfo.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TargetTypeGenericContextDescriptorHeader.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassHeader.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolTypeContainer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ExistentialContainter.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/RelativePointer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/RelativeVectorPointer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Vector.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/FieldDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/EnumTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/StructTypeDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolDescriptor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/String+Extensions.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/Pointer+Extensions.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Pointers/Pointers.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/GettersSetters.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Models/Errors.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Utilities/RetainCounts.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/TupleMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ProtocolMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/EnumMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/FunctionMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/ClassMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Layouts/StructMetadataLayout.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/Runtime/Sources/Runtime/Factory/Factory.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/CRuntime/Sources/CRuntime/CRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP2.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_Vapor3.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHPACK.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/GraphQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CJWTKitBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FCM.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/BSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FineJSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWT.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOExtrasZlib.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Backtrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CBacktrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolConformance.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombine.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolType.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKittenCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketInfrastructure.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ApodiniDatabase.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtobufferCoding.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Casting.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineDispatch.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Apodini.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKitBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKitten.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTPCompression.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineFoundation.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SwifCron.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_MongoKittenCrypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CURLParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RichJSONParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CMultipartParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMySQLDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQLiteDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMongoDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentPostgresDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTVapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AssociatedTypeRequirementsVisitor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOExtras.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Jobs.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Metrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CoreMetrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTransportServices.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTestUtils.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Yams.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_NIO1APIShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Notifications.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COpenCombineHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ValuePointers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNSwift.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenAPIKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWTKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RoutingKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MultipartKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncHTTPClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/DNSClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTFluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CContext.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Meow.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/CRuntime/Sources/CRuntime/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/Users/zaidtayyab/Desktop/Template/Build/Template/Build/Intermediates/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.build/Objects-normal/x86_64/NVActivityIndicatorAnimationBallZigZag.o : /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallPulseSync.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScalePulseOutRapid.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScale.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScale.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorViewable.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScaleMultiple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScaleRippleMultiple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallClipRotateMultiple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScaleRipple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorShape.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallRotateChase.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallPulseRise.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallGridPulse.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallClipRotatePulse.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallPulse.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorAnimationDelegate.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallRotate.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallClipRotate.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallZigZag.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallTrianglePath.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBlank.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationPacman.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationSemiCircleSpin.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationSquareSpin.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationTriangleSkewSpin.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationCubeTransition.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineSpinFadeLoader.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallSpinFadeLoader.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorPresenter.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationAudioEqualizer.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallGridBeat.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallBeat.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallZigZagDeflect.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationOrbit.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScalePulseOut.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorView.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScaleParty.swift /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/zaidtayyab/Desktop/Template/Pods/Target\ Support\ Files/NVActivityIndicatorView/NVActivityIndicatorView-umbrella.h /Users/zaidtayyab/Desktop/Template/Build/Template/Build/Intermediates/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.build/unextended-module.modulemap /Users/zaidtayyab/Desktop/Template/Build/Template/Build/Intermediates/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.build/Objects-normal/x86_64/NVActivityIndicatorAnimationBallZigZag~partial.swiftmodule : /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallPulseSync.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScalePulseOutRapid.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScale.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScale.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorViewable.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScaleMultiple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScaleRippleMultiple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallClipRotateMultiple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScaleRipple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorShape.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallRotateChase.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallPulseRise.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallGridPulse.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallClipRotatePulse.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallPulse.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorAnimationDelegate.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallRotate.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallClipRotate.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallZigZag.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallTrianglePath.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBlank.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationPacman.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationSemiCircleSpin.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationSquareSpin.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationTriangleSkewSpin.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationCubeTransition.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineSpinFadeLoader.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallSpinFadeLoader.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorPresenter.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationAudioEqualizer.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallGridBeat.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallBeat.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallZigZagDeflect.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationOrbit.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScalePulseOut.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorView.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScaleParty.swift /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/zaidtayyab/Desktop/Template/Pods/Target\ Support\ Files/NVActivityIndicatorView/NVActivityIndicatorView-umbrella.h /Users/zaidtayyab/Desktop/Template/Build/Template/Build/Intermediates/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.build/unextended-module.modulemap /Users/zaidtayyab/Desktop/Template/Build/Template/Build/Intermediates/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.build/Objects-normal/x86_64/NVActivityIndicatorAnimationBallZigZag~partial.swiftdoc : /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallPulseSync.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScalePulseOutRapid.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScale.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScale.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorViewable.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScaleMultiple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScaleRippleMultiple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallClipRotateMultiple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallScaleRipple.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorShape.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallRotateChase.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallPulseRise.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallGridPulse.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallClipRotatePulse.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallPulse.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorAnimationDelegate.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallRotate.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallClipRotate.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallZigZag.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallTrianglePath.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBlank.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationPacman.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationSemiCircleSpin.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationSquareSpin.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationTriangleSkewSpin.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationCubeTransition.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineSpinFadeLoader.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallSpinFadeLoader.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorPresenter.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationAudioEqualizer.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallGridBeat.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallBeat.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationBallZigZagDeflect.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationOrbit.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScalePulseOut.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/NVActivityIndicatorView.swift /Users/zaidtayyab/Desktop/Template/Pods/NVActivityIndicatorView/NVActivityIndicatorView/Animations/NVActivityIndicatorAnimationLineScaleParty.swift /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.apinotesc /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/zaidtayyab/Desktop/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/zaidtayyab/Desktop/Template/Pods/Target\ Support\ Files/NVActivityIndicatorView/NVActivityIndicatorView-umbrella.h /Users/zaidtayyab/Desktop/Template/Build/Template/Build/Intermediates/Pods.build/Debug-iphonesimulator/NVActivityIndicatorView.build/unextended-module.modulemap
D
instance Bad_9020_Erwin_Exit (C_Info) { npc = Bad_9020_Erwin; condition = Bad_9020_Erwin_Exit_Condition; information = Bad_9020_Erwin_Exit_Info; important = FALSE; permanent = TRUE; nr = 999; description = "Ende"; }; func int Bad_9020_Erwin_Exit_Condition () { return true; }; func void Bad_9020_Erwin_Exit_Info () { AI_StopProcessInfos(self); }; //Einhandkampf instance Bad_9020_Erwin_Lern (C_Info) { npc = Bad_9020_Erwin; nr = 2; condition = Bad_9020_Erwin_Lern_Condition; information = Bad_9020_Erwin_Lern_Info; permanent = TRUE; important = FALSE; description = "Lehre mich den Einhandkampf."; }; func int Bad_9020_Erwin_Lern_Condition () { if (hero.guild == GIL_Bad) { return true; }; return false; }; func void Bad_9020_Erwin_Lern_Info () { AI_Output(other, self, "Bad_9020_Erwin_Lern_01"); //Lehre mich den Einhandkampf. AI_Output(self, other, "Bad_9020_Erwin_Lern_02"); //Gut, lass uns mit deinem Training beginnen. Info_ClearChoices(Bad_9020_Erwin_Lern); Info_AddChoice(Bad_9020_Erwin_Lern, DIALOG_BACK, Bad_9020_Erwin_Lern_Back); Info_AddChoice(Bad_9020_Erwin_Lern, B_BuildLearnString(PRINT_Learn1h1, B_GetLearnCostTalent(other, NPC_TALENT_1H, 1)), Bad_9020_Erwin_Lern_1); Info_AddChoice(Bad_9020_Erwin_Lern, B_BuildLearnString(PRINT_Learn1h5, B_GetLearnCostTalent(other, NPC_TALENT_1H, 5)), Bad_9020_Erwin_Lern_5); }; func void Bad_9020_Erwin_Lern_Back () { Info_ClearChoices(Bad_9020_Erwin_Lern); }; func void Bad_9020_Erwin_Lern_1 () { B_TeachFightTalentPercent (self, other, NPC_TALENT_1H, 1, 100); if (other.HitChance[NPC_TALENT_1H] >= 100) { AI_Output(self,other,"Bad_9020_Erwin_Lern_03"); //Du bist jetzt ein wahrer Meister im einhändigen Kampf. AI_Output(self,other,"Bad_9020_Erwin_Lern_04"); //Du brauchst keinen Lehrer mehr. }; Info_ClearChoices(Bad_9020_Erwin_Lern); Info_AddChoice(Bad_9020_Erwin_Lern, DIALOG_BACK, Bad_9020_Erwin_Lern_Back); Info_AddChoice(Bad_9020_Erwin_Lern, B_BuildLearnString(PRINT_Learn1h1, B_GetLearnCostTalent(other, NPC_TALENT_1H, 1)), Bad_9020_Erwin_Lern_1); Info_AddChoice(Bad_9020_Erwin_Lern, B_BuildLearnString(PRINT_Learn1h5, B_GetLearnCostTalent(other, NPC_TALENT_1H, 5)), Bad_9020_Erwin_Lern_5); }; func void Bad_9020_Erwin_Lern_5 () { B_TeachFightTalentPercent (self, other, NPC_TALENT_1H, 5, 100); if (other.HitChance[NPC_TALENT_1H] >= 100) { AI_Output(self,other,"Bad_9020_Erwin_Lern_05"); //Du bist jetzt ein wahrer Meister im einhändigen Kampf. AI_Output(self,other,"Bad_9020_Erwin_Lern_06"); //Du brauchst keinen Lehrer mehr. }; Info_ClearChoices(Bad_9020_Erwin_Lern); Info_AddChoice(Bad_9020_Erwin_Lern, DIALOG_BACK, Bad_9020_Erwin_Lern_Back); Info_AddChoice(Bad_9020_Erwin_Lern, B_BuildLearnString(PRINT_Learn1h1, B_GetLearnCostTalent(other, NPC_TALENT_1H, 1)), Bad_9020_Erwin_Lern_1); Info_AddChoice(Bad_9020_Erwin_Lern, B_BuildLearnString(PRINT_Learn1h5, B_GetLearnCostTalent(other, NPC_TALENT_1H, 5)), Bad_9020_Erwin_Lern_5); };
D
/Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Validation.build/Validator.swift.o : /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validatable.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/ValidatorType.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/ValidationError.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/AndValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/RangeValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/NilIgnoringValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/NilValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/EmailValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/InValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/OrValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/CharacterSetValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/CountValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/NotValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validations.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/jimallan/Downloads/starter/location-track-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/jimallan/Downloads/starter/location-track-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/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIOAtomics/include/cpp_magic.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIODarwin/include/c_nio_darwin.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIOAtomics/include/c-atomics.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIOLinux/include/c_nio_linux.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio-zlib-support.git--8656613645092558840/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Validation.build/Validator~partial.swiftmodule : /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validatable.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/ValidatorType.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/ValidationError.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/AndValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/RangeValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/NilIgnoringValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/NilValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/EmailValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/InValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/OrValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/CharacterSetValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/CountValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/NotValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validations.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/jimallan/Downloads/starter/location-track-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/jimallan/Downloads/starter/location-track-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/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIOAtomics/include/cpp_magic.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIODarwin/include/c_nio_darwin.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIOAtomics/include/c-atomics.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIOLinux/include/c_nio_linux.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio-zlib-support.git--8656613645092558840/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Validation.build/Validator~partial.swiftdoc : /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validatable.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/ValidatorType.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/ValidationError.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/AndValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/RangeValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/NilIgnoringValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/NilValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/EmailValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/InValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/OrValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/CharacterSetValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/CountValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validators/NotValidator.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Validations.swift /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/validation.git--7839861556715010764/Sources/Validation/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/jimallan/Downloads/starter/location-track-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/jimallan/Downloads/starter/location-track-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/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIOAtomics/include/cpp_magic.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIODarwin/include/c_nio_darwin.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIOAtomics/include/c-atomics.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio.git-6105345694714423636/Sources/CNIOLinux/include/c_nio_linux.h /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/swift-nio-zlib-support.git--8656613645092558840/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
module wx.TreeCtrl; public import wx.common; public import wx.Control; public import wx.ClientData; public import wx.ImageList; public import wx.KeyEvent; public enum ПИконкаЭлтаДерева { Нормальный, Выделенная, Развёрнутая, ВыделеннаяРазвёрнутая, Макс } //----------------------------------------------------------------------------- //! \cond EXTERN extern (C) ЦелУкз wxTreeItemData_ctor(); extern (C) проц wxTreeItemData_RegisterDisposable(ЦелУкз сам, Virtual_Dispose onDispose); extern (C) проц wxTreeItemData_dtor(ЦелУкз сам); extern (C) ЦелУкз wxTreeItemData_GetId(ЦелУкз сам); extern (C) проц wxTreeItemData_SetId(ЦелУкз сам, ЦелУкз парам); //! \endcond //----------------------------------------------------------------------------- export class ДанныеЭлтаДерева : ДанныеКлиента { export this(ЦелУкз вхобъ) { super(вхобъ); } private this(ЦелУкз вхобъ, бул памСобств) { super(вхобъ); this.памСобств = памСобств; } export this() { this(wxTreeItemData_ctor(), да); wxTreeItemData_RegisterDisposable(вхобъ, &VirtualDispose); } //--------------------------------------------------------------------- override protected проц dtor() { wxTreeItemData_dtor(вхобъ); } //---------------------------- export ~this(){this.dtor();} //---------------------------- //----------------------------------------------------------------------------- export ИдЭлтаДерева ид() { return new ИдЭлтаДерева(wxTreeItemData_GetId(вхобъ), да); } export проц ид(ИдЭлтаДерева значение) { wxTreeItemData_SetId(вхобъ, ВизОбъект.безопУк(значение)); } } //----------------------------------------------------------------------------- //! \cond EXTERN extern (C) ЦелУкз wxTreeItemAttr_ctor(); extern (C) ЦелУкз wxTreeItemAttr_ctor2(ЦелУкз цвТекст, ЦелУкз цвФон, ЦелУкз шрифт); extern (C) проц wxTreeItemAttr_dtor(ЦелУкз сам); extern (C) проц wxTreeItemAttr_RegisterDisposable(ЦелУкз сам, Virtual_Dispose onDispose); extern (C) проц wxTreeItemAttr_SetTextColour(ЦелУкз сам, ЦелУкз цвТекст); extern (C) проц wxTreeItemAttr_SetBackgroundColour(ЦелУкз сам, ЦелУкз цвФон); extern (C) проц wxTreeItemAttr_SetFont(ЦелУкз сам, ЦелУкз шрифт); extern (C) бул wxTreeItemAttr_HasTextColour(ЦелУкз сам); extern (C) бул wxTreeItemAttr_HasBackgroundColour(ЦелУкз сам); extern (C) бул wxTreeItemAttr_HasFont(ЦелУкз сам); extern (C) ЦелУкз wxTreeItemAttr_GetTextColour(ЦелУкз сам); extern (C) ЦелУкз wxTreeItemAttr_GetBackgroundColour(ЦелУкз сам); extern (C) ЦелУкз wxTreeItemAttr_GetFont(ЦелУкз сам); //! \endcond //----------------------------------------------------------------------------- export class АтрЭлтаДерева : ВизОбъект { export this(ЦелУкз вхобъ) { super(вхобъ); } private this(ЦелУкз вхобъ, бул памСобств) { super(вхобъ); this.памСобств = памСобств; } export this() { this(wxTreeItemAttr_ctor(), да); wxTreeItemAttr_RegisterDisposable(вхобъ, &VirtualDispose); } export this(Цвет цвТекст, Цвет цвФон, Шрифт шрифт) { this(wxTreeItemAttr_ctor2(ВизОбъект.безопУк(цвТекст), ВизОбъект.безопУк(цвФон), ВизОбъект.безопУк(шрифт)), да); wxTreeItemAttr_RegisterDisposable(вхобъ, &VirtualDispose); } //--------------------------------------------------------------------- override protected проц dtor() { wxTreeItemAttr_dtor(вхобъ); } //---------------------------- export ~this(){this.dtor();} //---------------------------- //--------------------------------------------------------------------- export Цвет цветТекста() { return new Цвет(wxTreeItemAttr_GetTextColour(вхобъ), да); } export проц цветТекста(Цвет значение) { wxTreeItemAttr_SetTextColour(вхобъ, ВизОбъект.безопУк(значение)); } //--------------------------------------------------------------------- export Цвет цветФона() { return new Цвет(wxTreeItemAttr_GetBackgroundColour(вхобъ), да); } export проц цветФона(Цвет значение) { wxTreeItemAttr_SetBackgroundColour(вхобъ, ВизОбъект.безопУк(значение)); } //--------------------------------------------------------------------- export Шрифт шрифт() { return new Шрифт(wxTreeItemAttr_GetFont(вхобъ), да); } export проц шрифт(Шрифт значение) { wxTreeItemAttr_SetFont(вхобъ, ВизОбъект.безопУк(значение)); } //--------------------------------------------------------------------- export бул естьЦветТекста() { return wxTreeItemAttr_HasTextColour(вхобъ); } //--------------------------------------------------------------------- export бул естьЦветФона() { return wxTreeItemAttr_HasBackgroundColour(вхобъ); } //--------------------------------------------------------------------- export бул естьШрифт() { return wxTreeItemAttr_HasFont(вхобъ); } } //----------------------------------------------------------------------------- //! \cond EXTERN extern (C) ЦелУкз wxTreeItemId_ctor(); extern (C) ЦелУкз wxTreeItemId_ctor2(ук pItem); extern (C) проц wxTreeItemId_dtor(ЦелУкз сам); extern (C) проц wxTreeItemId_RegisterDisposable(ЦелУкз сам, Virtual_Dispose onDispose); extern (C) бул wxTreeItemId_Equal(ЦелУкз элт1, ЦелУкз элт2); extern (C) бул wxTreeItemId_IsOk(ЦелУкз сам); //! \endcond //--------------------------------------------------------------------- //[StructLayout(LayoutKind.Sequential)] export class ИдЭлтаДерева : ВизОбъект { export this(ЦелУкз вхобъ) { super(вхобъ); } private this(ЦелУкз вхобъ, бул памСобств) { super(вхобъ); this.памСобств = памСобств; wxTreeItemId_RegisterDisposable(вхобъ, &VirtualDispose); } export this() { this(wxTreeItemId_ctor(), да); } export this(/*ДанныеКлиента*/ук pItem) { this(wxTreeItemId_ctor2(pItem), да); } //--------------------------------------------------------------------- override protected проц dtor() { wxTreeItemId_dtor(вхобъ); } //---------------------------- export ~this(){this.dtor();} //---------------------------- //--------------------------------------------------------------------- //----------------------------------------------------------------------------- /*private ЦелУкз ид; export this(ЦелУкз ид) { this.ид = ид; }*/ //----------------------------------------------------------------------------- version (D_Version2) // changed in DMD 2.016 { export override бул opEquals(Объект o) { if (o is пусто) return нет; ИдЭлтаДерева ид = cast(ИдЭлтаДерева)o; if (ид is пусто) return нет; if (ид is this || вхобъ == ид.вхобъ) return да; return wxTreeItemId_Equal(вхобъ, ид.вхобъ); } } else // D_Version1 { export override цел opEquals(Объект o) { if (o is пусто) return нет; ИдЭлтаДерева ид = cast(ИдЭлтаДерева)o; if (ид is пусто) return нет; if (ид is this || вхобъ == ид.вхобъ) return да; return wxTreeItemId_Equal(вхобъ, ид.вхобъ); } } //----------------------------------------------------------------------------- export override т_хэш вХэш() { return cast(т_хэш)вхобъ; } //----------------------------------------------------------------------------- /*export бул IsValid { get { return ид != ЦелУкз.init; } }*/ //----------------------------------------------------------------------------- export бул Ок() { return wxTreeItemId_IsOk(вхобъ); } } //----------------------------------------------------------------------------- //! \cond EXTERN extern (C) { alias цел function(ДеревоКтрл объ, ЦелУкз элт1, ЦелУкз элт2) Virtual_OnCompareItems; } extern (C) бцел wxTreeCtrl_GetDefaultStyle(); extern (C) ЦелУкз wxTreeCtrl_ctor(); extern (C) проц wxTreeCtrl_RegisterVirtual(ЦелУкз сам,ДеревоКтрл объ, Virtual_OnCompareItems onCompareItems); extern (C) цел wxTreeCtrl_OnCompareItems(ЦелУкз сам, ЦелУкз элт1, ЦелУкз элт2); extern (C) ЦелУкз wxTreeCtrl_AddRoot(ЦелУкз сам, ткст текст, цел рисунок, цел выделенРис, ЦелУкз данные); extern (C) ЦелУкз wxTreeCtrl_AppendItem(ЦелУкз сам, ЦелУкз родитель, ткст текст, цел рисунок, цел выделенРис, ЦелУкз данные); extern (C) проц wxTreeCtrl_AssignImageList(ЦелУкз сам, ЦелУкз списокРисунков); extern (C) проц wxTreeCtrl_AssignStateImageList(ЦелУкз сам, ЦелУкз списокРисунков); //extern (C) проц wxTreeCtrl_AssignButtonsImageList(ЦелУкз сам, ЦелУкз списокРисунков); extern (C) бул wxTreeCtrl_Create(ЦелУкз сам, ЦелУкз родитель, цел ид, inout Точка поз, inout Размер размер, бцел стиль, ЦелУкз знач, ткст имя); extern (C) ЦелУкз wxTreeCtrl_GetImageList(ЦелУкз сам); extern (C) ЦелУкз wxTreeCtrl_GetStateImageList(ЦелУкз сам); //extern (C) ЦелУкз wxTreeCtrl_GetButtonsImageList(ЦелУкз сам); extern (C) проц wxTreeCtrl_SetImageList(ЦелУкз сам, ЦелУкз списокРисунков); extern (C) проц wxTreeCtrl_SetStateImageList(ЦелУкз сам, ЦелУкз списокРисунков); //extern (C) проц wxTreeCtrl_SetButtonsImageList(ЦелУкз сам, ЦелУкз списокРисунков); extern (C) проц wxTreeCtrl_SetItemImage(ЦелУкз сам, ЦелУкз элт, цел рисунок, ПИконкаЭлтаДерева который); extern (C) цел wxTreeCtrl_GetItemImage(ЦелУкз сам, ЦелУкз элт, ПИконкаЭлтаДерева который); extern (C) проц wxTreeCtrl_DeleteAllItems(ЦелУкз сам); extern (C) проц wxTreeCtrl_Delete(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_DeleteChildren(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_Unselect(ЦелУкз сам); extern (C) проц wxTreeCtrl_UnselectAll(ЦелУкз сам); extern (C) бул wxTreeCtrl_IsSelected(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetSelection(ЦелУкз сам); extern (C) проц wxTreeCtrl_SelectItem(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetItemText(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_SetItemText(ЦелУкз сам, ЦелУкз элт, ткст текст); extern (C) ЦелУкз wxTreeCtrl_HitTest(ЦелУкз сам, inout Точка тчк, inout цел флаги); extern (C) проц wxTreeCtrl_SetItemData(ЦелУкз сам, ЦелУкз элт, ЦелУкз данные); extern (C) ЦелУкз wxTreeCtrl_GetItemData(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetRootItem(ЦелУкз сам); extern (C) ЦелУкз wxTreeCtrl_GetItemParent(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetFirstChild(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetNextChild(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetLastChild(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetNextSibling(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetPrevSibling(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetFirstVisibleItem(ЦелУкз сам); extern (C) ЦелУкз wxTreeCtrl_GetNextVisible(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetPrevVisible(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_Expand(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_Collapse(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_CollapseAndReset(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_Toggle(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_EnsureVisible(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_ScrollTo(ЦелУкз сам, ЦелУкз элт); extern (C) цел wxTreeCtrl_GetChildrenCount(ЦелУкз сам, ЦелУкз элт, бул рекурсивно); extern (C) цел wxTreeCtrl_GetCount(ЦелУкз сам); extern (C) бул wxTreeCtrl_IsVisible(ЦелУкз сам, ЦелУкз элт); extern (C) бул wxTreeCtrl_ItemHasChildren(ЦелУкз сам, ЦелУкз элт); extern (C) бул wxTreeCtrl_IsExpanded(ЦелУкз сам, ЦелУкз элт); extern (C) бцел wxTreeCtrl_GetIndent(ЦелУкз сам); extern (C) проц wxTreeCtrl_SetIndent(ЦелУкз сам, бцел indent); extern (C) бцел wxTreeCtrl_GetSpacing(ЦелУкз сам); extern (C) проц wxTreeCtrl_SetSpacing(ЦелУкз сам, бцел indent); extern (C) ЦелУкз wxTreeCtrl_GetItemTextColour(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetItemBackgroundColour(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetItemFont(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_SetItemHasChildren(ЦелУкз сам, ЦелУкз элт, бул есть); extern (C) проц wxTreeCtrl_SetItemBold(ЦелУкз сам, ЦелУкз элт, бул полужирный); extern (C) проц wxTreeCtrl_SetItemTextColour(ЦелУкз сам, ЦелУкз элт, ЦелУкз кол); extern (C) проц wxTreeCtrl_SetItemBackgroundColour(ЦелУкз сам, ЦелУкз элт, ЦелУкз кол); extern (C) проц wxTreeCtrl_EditLabel(ЦелУкз сам, ЦелУкз элт); extern (C) бул wxTreeCtrl_GetBoundingRect(ЦелУкз сам, ЦелУкз элт, inout Прямоугольник прям, бул толькоТекст); extern (C) ЦелУкз wxTreeCtrl_InsertItem(ЦелУкз сам, ЦелУкз родитель, ЦелУкз idPrevious, ткст текст, цел рисунок, цел selectedImage, ЦелУкз данные); extern (C) ЦелУкз wxTreeCtrl_InsertItem2(ЦелУкз сам, ЦелУкз родитель, цел перед, ткст текст, цел рисунок, цел selectedImage, ЦелУкз данные); extern (C) бул wxTreeCtrl_IsBold(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_PrependItem(ЦелУкз сам, ЦелУкз родитель, ткст текст, цел рисунок, цел selectedImage, ЦелУкз данные); extern (C) проц wxTreeCtrl_SetItemSelectedImage(ЦелУкз сам, ЦелУкз элт, цел выделенРис); extern (C) проц wxTreeCtrl_ToggleItemSelection(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeCtrl_UnselectItem(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeCtrl_GetMyCookie(ЦелУкз сам); extern (C) проц wxTreeCtrl_SetMyCookie(ЦелУкз сам, ЦелУкз newval); extern (C) ЦелУкз wxTreeCtrl_GetSelections(ЦелУкз сам); extern (C) проц wxTreeCtrl_SetItemFont(ЦелУкз сам, ЦелУкз элт, ЦелУкз шрифт); extern (C) проц wxTreeCtrl_SortChildren(ЦелУкз сам, ЦелУкз элт); //! \endcond //--------------------------------------------------------------------- export class ДеревоКтрл : Контрол { public const цел БЕЗ_КНОПОК = 0x0000; public const цел С_КНОПКАМИ = 0x0001; public const цел КНОПКИ_ТВИСТ = 0x0010; public const цел БЕЗ_СТРОК = 0x0004; public const цел СТРОКИ_В_КОРНЕ = 0x0008; public const цел КНОПКИ_МАК = 0; // deprecated public const цел КНОПКИ_АКВА = 0; // deprecated public const цел ЕДИНИЧНЫЙ = 0x0000; public const цел МНОЖЕСТВЕННЫЙ = 0x0020; public const цел РАСШИРЕННЫЙ = 0x0040; public const цел ПОЛНАЯ_ПОДСВЕТКА_РЯДА = 0x2000; public const цел РЕДАКТИРУЕМЫЕ_ЯРЛЫКИ = 0x0200; public const цел СТРОКИ_РЯДА = 0x0400; public const цел КОРЕНЬ_СКРЫТ = 0x0800; public const цел ИЗМЕНЯЕМАЯ_ВЫСОТА_РЯДА = 0x0080; public static цел ДЕФ_СТИЛЬ; static this() { ДЕФ_СТИЛЬ = wxTreeCtrl_GetDefaultStyle(); } //----------------------------------------------------------------------------- public const цел ХТ_НАД = 0x0001; public const цел ХТ_НИЖЕ = 0x0002; public const цел ХТ_НИГДЕ = 0x0004; public const цел ХТ_НАКНОПКЕЭЛТА = 0x0008; public const цел ХТ_НАИКОНКЕЭЛТА = 0x0010; public const цел ХТ_НАОТСТУПЕЭЛТА = 0x0020; public const цел ХТ_НАЯРЛЫКЕЭЛТА = 0x0040; public const цел ХТ_СПРАВАОТЭЛТА = 0x0080; public const цел ХТ_НАИКОНКЕСОСТОЯНИЯЭЛТА = 0x0100; public const цел ХТ_ЛЕВЕЕ = 0x0200; public const цел ХТ_ПРАВЕЕ = 0x0400; public const цел ХТ_ВВЕРХНЕЙЧАСТИЭЛТА = 0x0800; public const цел ХТ_ВНИЖНЕЙЧАСТИЭЛТА = 0x1000; public const цел ХТ_НАЭЛТЕ = ХТ_НАИКОНКЕЭЛТА | ХТ_НАЯРЛЫКЕЭЛТА; public const ткст СтрИмениДеревоКтрл = "treeCtrl"; //----------------------------------------------------------------------------- export static цел дефСтиль(){return ДеревоКтрл.ДЕФ_СТИЛЬ;} export this(ЦелУкз вхобъ) { super(вхобъ); } export this() { this(wxTreeCtrl_ctor()); wxTreeCtrl_RegisterVirtual(вхобъ, this, &staticDoOnCompareItems); } export this(Окно родитель, цел ид /*= ЛЮБОЙ*/, Точка поз = ДЕФПОЗ, Размер размер = ДЕФРАЗМ, цел стиль = С_КНОПКАМИ | СТРОКИ_В_КОРНЕ, Оценщик знач = пусто, ткст имя = СтрИмениДеревоКтрл) { this(); if (!создай(родитель, ид, поз, размер, стиль, знач, имя)) { throw new ИсклНевернОперации("Не удалось создать ДеревоКтрл"); } } export static ВизОбъект Нов(ЦелУкз вхобъ) { return new ДеревоКтрл(вхобъ); } //--------------------------------------------------------------------- // ctors with сам created ид export this(Окно родитель, Точка поз = ДЕФПОЗ, Размер размер = ДЕФРАЗМ, цел стиль = С_КНОПКАМИ | СТРОКИ_В_КОРНЕ, Оценщик знач = пусто, ткст имя = СтрИмениДеревоКтрл) { this(родитель, Окно.уникИд, поз, размер, стиль, знач, имя); } //--------------------------------------------------------------------- export бул создай(Окно родитель, цел ид, inout Точка поз, inout Размер размер, цел стиль, Оценщик знач, ткст имя) { return wxTreeCtrl_Create(вхобъ, ВизОбъект.безопУк(родитель), ид, поз, размер, cast(бцел)стиль, ВизОбъект.безопУк(знач), имя); } //--------------------------------------------------------------------- static export extern (C) private цел staticDoOnCompareItems(ДеревоКтрл объ, ЦелУкз элт1, ЦелУкз элт2) { return объ.приСравненииЭлтов(new ИдЭлтаДерева(элт1, да), new ИдЭлтаДерева(элт2, да)); } export цел приСравненииЭлтов(ИдЭлтаДерева элт1, ИдЭлтаДерева элт2) { return wxTreeCtrl_OnCompareItems(вхобъ, ВизОбъект.безопУк(элт1), ВизОбъект.безопУк(элт2)); } //--------------------------------------------------------------------- export ИдЭлтаДерева добавьКорень(ткст текст) { return добавьКорень(текст, -1, -1, пусто); } export ИдЭлтаДерева добавьКорень(ткст текст, цел рисунок) { return добавьКорень(текст, рисунок, -1, пусто); } export ИдЭлтаДерева добавьКорень(ткст текст, цел рисунок, цел выделенРис) { return добавьКорень(текст, рисунок, выделенРис, пусто); } export ИдЭлтаДерева добавьКорень(ткст текст, цел рисунок, цел выделенРис, ДанныеЭлтаДерева данные) { return new ИдЭлтаДерева(wxTreeCtrl_AddRoot(вхобъ, текст, рисунок, выделенРис, ВизОбъект.безопУк(данные)), да); } //--------------------------------------------------------------------- export ИдЭлтаДерева приставьЭлт(ИдЭлтаДерева идРодителя, ткст текст) { return приставьЭлт(идРодителя, текст, -1, -1, пусто); } export ИдЭлтаДерева приставьЭлт(ИдЭлтаДерева идРодителя, ткст текст, цел рисунок) { return приставьЭлт(идРодителя, текст, рисунок, -1, пусто); } export ИдЭлтаДерева приставьЭлт(ИдЭлтаДерева идРодителя, ткст текст, цел рисунок, цел выделенРис) { return приставьЭлт(идРодителя, текст, рисунок, выделенРис, пусто); } export ИдЭлтаДерева приставьЭлт(ИдЭлтаДерева идРодителя, ткст текст, цел рисунок, цел выделенРис, ДанныеЭлтаДерева данные) { return new ИдЭлтаДерева(wxTreeCtrl_AppendItem(вхобъ, ВизОбъект.безопУк(идРодителя), текст, рисунок, выделенРис, ВизОбъект.безопУк(данные)), да); } //--------------------------------------------------------------------- export проц присвойСписокРисунков(СписокРисунков списокРисунков) { wxTreeCtrl_AssignImageList(вхобъ, ВизОбъект.безопУк(списокРисунков)); } //--------------------------------------------------------------------- export проц присвойСписокРисСостояния(СписокРисунков списокРисунков) { wxTreeCtrl_AssignStateImageList(вхобъ, ВизОбъект.безопУк(списокРисунков)); } //--------------------------------------------------------------------- /*export проц AssignButtonsImageList(СписокРисунков списокРисунков) { wxTreeCtrl_AssignButtonsImageList(вхобъ, ВизОбъект.безопУк(списокРисунков)); }*/ //--------------------------------------------------------------------- export СписокРисунков списокРисунков() { return cast(СписокРисунков)найдиОбъект(wxTreeCtrl_GetImageList(вхобъ), &СписокРисунков.Нов); } export проц списокРисунков(СписокРисунков значение) { wxTreeCtrl_SetImageList(вхобъ, ВизОбъект.безопУк(значение)); } //--------------------------------------------------------------------- export проц устСписокРисунков(СписокРисунков списокРисунков) { wxTreeCtrl_SetImageList(вхобъ, ВизОбъект.безопУк(списокРисунков)); } //--------------------------------------------------------------------- export СписокРисунков списокРисСостояния() { return cast(СписокРисунков)найдиОбъект(wxTreeCtrl_GetStateImageList(вхобъ), &СписокРисунков.Нов); } export проц списокРисСостояния(СписокРисунков значение) { wxTreeCtrl_SetStateImageList(вхобъ, ВизОбъект.безопУк(значение)); } //--------------------------------------------------------------------- /*export СписокРисунков ButtonsImageList { get { return (СписокРисунков)найдиОбъект(wxTreeCtrl_GetButtonsImageList(вхобъ), typeid(СписокРисунков)); } set { wxTreeCtrl_SetButtonsImageList(вхобъ, ВизОбъект.безопУк(значение)); } }*/ //--------------------------------------------------------------------- export проц устРисунокЭлта(ИдЭлтаДерева элт, цел рисунок) { устРисунокЭлта(элт, рисунок, ПИконкаЭлтаДерева.Нормальный); } export проц устРисунокЭлта(ИдЭлтаДерева элт, цел рисунок, ПИконкаЭлтаДерева который) { wxTreeCtrl_SetItemImage(вхобъ, ВизОбъект.безопУк(элт), рисунок, который); } //--------------------------------------------------------------------- export цел дайРисунокЭлта(ИдЭлтаДерева элт) { return дайРисунокЭлта(элт, ПИконкаЭлтаДерева.Нормальный); } export цел дайРисунокЭлта(ИдЭлтаДерева элт, ПИконкаЭлтаДерева который) { return wxTreeCtrl_GetItemImage(вхобъ, ВизОбъект.безопУк(элт), который); } //--------------------------------------------------------------------- export проц удалиВсеЭлты() { wxTreeCtrl_DeleteAllItems(вхобъ); } export проц удали(ИдЭлтаДерева элт) { wxTreeCtrl_Delete(вхобъ, ВизОбъект.безопУк(элт)); } export проц удалиОтпрыски(ИдЭлтаДерева элт) { wxTreeCtrl_DeleteChildren(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export проц отмениВыделение() { wxTreeCtrl_Unselect(вхобъ); } export проц отмениВыделениеВсех() { wxTreeCtrl_UnselectAll(вхобъ); } //--------------------------------------------------------------------- export бул выделен(ИдЭлтаДерева элт) { return wxTreeCtrl_IsSelected(вхобъ, ВизОбъект.безопУк(элт)); } export проц выделиЭлт(ИдЭлтаДерева элт) { wxTreeCtrl_SelectItem(вхобъ, ВизОбъект.безопУк(элт)); } export ИдЭлтаДерева выделение() { return new ИдЭлтаДерева(wxTreeCtrl_GetSelection(вхобъ), да); } export проц выделение(ИдЭлтаДерева значение) { выделиЭлт(значение); } //--------------------------------------------------------------------- export проц устТекстЭлта(ИдЭлтаДерева элт, ткст текст) { wxTreeCtrl_SetItemText(вхобъ, ВизОбъект.безопУк(элт), текст); } export ткст дайТекстЭлта(ИдЭлтаДерева элт) { return cast(ткст) new ВизТкст(wxTreeCtrl_GetItemText(вхобъ, ВизОбъект.безопУк(элт)), да); } //--------------------------------------------------------------------- export проц устДанныеЭлта(ИдЭлтаДерева элт, ДанныеЭлтаДерева данные) { wxTreeCtrl_SetItemData(вхобъ, ВизОбъект.безопУк(элт), ВизОбъект.безопУк(данные)); } export ДанныеЭлтаДерева дайДанныеЭлта(ИдЭлтаДерева элт) { return cast(ДанныеЭлтаДерева)ВизОбъект.найдиОбъект(wxTreeCtrl_GetItemData(вхобъ, ВизОбъект.безопУк(элт))); } //--------------------------------------------------------------------- export ИдЭлтаДерева тестНажатия(Точка тчк, out цел флаги) { return new ИдЭлтаДерева(wxTreeCtrl_HitTest(вхобъ, тчк, флаги), да); } //--------------------------------------------------------------------- export ИдЭлтаДерева корневойЭлт() { return new ИдЭлтаДерева(wxTreeCtrl_GetRootItem(вхобъ), да); } export ИдЭлтаДерева дайРодителяЭлта(ИдЭлтаДерева элт) { return new ИдЭлтаДерева(wxTreeCtrl_GetItemParent(вхобъ, ВизОбъект.безопУк(элт)), да); } //--------------------------------------------------------------------- export ИдЭлтаДерева дайПервОтпрыск(ИдЭлтаДерева элт, inout ЦелУкз куки) { ИдЭлтаДерева ид = new ИдЭлтаДерева(wxTreeCtrl_GetFirstChild(вхобъ, ВизОбъект.безопУк(элт)), да); куки = wxTreeCtrl_GetMyCookie(вхобъ); return ид; } export ИдЭлтаДерева дайСледщОтпрыск(ИдЭлтаДерева элт, inout ЦелУкз куки) { wxTreeCtrl_SetMyCookie(вхобъ, куки); ИдЭлтаДерева ид = new ИдЭлтаДерева(wxTreeCtrl_GetNextChild(вхобъ, ВизОбъект.безопУк(элт)), да); куки = wxTreeCtrl_GetMyCookie(вхобъ); return ид; } export ИдЭлтаДерева дайПоследнОтпрыск(ИдЭлтаДерева элт) { return new ИдЭлтаДерева(wxTreeCtrl_GetLastChild(вхобъ, ВизОбъект.безопУк(элт)), да); } //--------------------------------------------------------------------- export ИдЭлтаДерева дайСледщПасынок(ИдЭлтаДерева элт) { return new ИдЭлтаДерева(wxTreeCtrl_GetNextSibling(вхобъ, ВизОбъект.безопУк(элт)), да); } export ИдЭлтаДерева дайПредшПасынок(ИдЭлтаДерева элт) { return new ИдЭлтаДерева(wxTreeCtrl_GetPrevSibling(вхобъ, ВизОбъект.безопУк(элт)), да); } //--------------------------------------------------------------------- export ИдЭлтаДерева дайПервВидимЭлт() { return new ИдЭлтаДерева(wxTreeCtrl_GetFirstVisibleItem(вхобъ), да); } export ИдЭлтаДерева дайСледщВидимый(ИдЭлтаДерева элт) { return new ИдЭлтаДерева(wxTreeCtrl_GetNextVisible(вхобъ, ВизОбъект.безопУк(элт)), да); } export ИдЭлтаДерева дайПредшВидимый(ИдЭлтаДерева элт) { return new ИдЭлтаДерева(wxTreeCtrl_GetPrevVisible(вхобъ, ВизОбъект.безопУк(элт)), да); } //--------------------------------------------------------------------- export проц раскрой(ИдЭлтаДерева элт) { wxTreeCtrl_Expand(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export проц схлопни(ИдЭлтаДерева элт) { wxTreeCtrl_Collapse(вхобъ, ВизОбъект.безопУк(элт)); } export проц схлопниИСбрось(ИдЭлтаДерева элт) { wxTreeCtrl_CollapseAndReset(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export проц переключи(ИдЭлтаДерева элт) { wxTreeCtrl_Toggle(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export проц убедисьЧтоВиден(ИдЭлтаДерева элт) { wxTreeCtrl_EnsureVisible(вхобъ, ВизОбъект.безопУк(элт)); } export проц промотайДо(ИдЭлтаДерева элт) { wxTreeCtrl_ScrollTo(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export цел дайЧлоОтпрысков(ИдЭлтаДерева элт) { return дайЧлоОтпрысков(элт, да); } export цел дайЧлоОтпрысков(ИдЭлтаДерева элт, бул рекурсивно) { return wxTreeCtrl_GetChildrenCount(вхобъ, ВизОбъект.безопУк(элт), рекурсивно); } export цел счёт() { return wxTreeCtrl_GetCount(вхобъ); } //--------------------------------------------------------------------- export бул виден(ИдЭлтаДерева элт) { return wxTreeCtrl_IsVisible(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export бул уЭлтаЕстьОтпрыски(ИдЭлтаДерева элт) { return wxTreeCtrl_ItemHasChildren(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export бул развёрнут(ИдЭлтаДерева элт) { return wxTreeCtrl_IsExpanded(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export бул естьОтпрыски(ИдЭлтаДерева элт) { return дайЧлоОтпрысков(элт, нет) > 0; } // A brute сила way до get list of selections (if МНОЖЕСТВЕННЫЙ есть been // enabled) by inspecting each элт. May want до replace with Interop // invocation of GetSelections() if it is implemented more efficiently // (such as the ДеревоКтрл есть a built-in list of currect selections). export ИдЭлтаДерева[] прежднВыделения() { return Get_Items(ПРежимПолученияЭлтов.Выделения, this.корневойЭлт, да); } // This is now interop... export ИдЭлтаДерева[] выделения() { return (new ИдыЭлтовМассиваДерева(wxTreeCtrl_GetSelections(вхобъ), да)).вМассив(); } // This is an addition до the standard API. Limits the selection // search до родитЭлт and below. export ИдЭлтаДерева[] выделенияНаИлиНиже(ИдЭлтаДерева родитЭлт) { return Get_Items(ПРежимПолученияЭлтов.Выделения, родитЭлт, нет); } // This is an addition до the standard API. Limits the selection // search до those элты below родитЭлт. export ИдЭлтаДерева[] выделенияНиже(ИдЭлтаДерева родитЭлт) { return Get_Items(ПРежимПолученияЭлтов.Выделения, родитЭлт, да); } // This is an addition до the standard API. Returns all элты // except for the root node. export ИдЭлтаДерева[] всеЭлты() { return Get_Items(ПРежимПолученияЭлтов.Все, this.корневойЭлт, да); } // This is an addition до the standard API. Only returns элты // that are at or below родитЭлт (i.e. returns родитЭлт). export ИдЭлтаДерева[] всеЭлтыНаИлиНиже(ИдЭлтаДерева родитЭлт) { return Get_Items(ПРежимПолученияЭлтов.Все, родитЭлт, нет); } // This is an addition до the standard API. Only returns элты // that are below родитЭлт. export ИдЭлтаДерева[] всеЭлтыНиже(ИдЭлтаДерева родитЭлт) { return Get_Items(ПРежимПолученияЭлтов.Все, родитЭлт, да); } private enum ПРежимПолученияЭлтов { Выделения, Все, } private ИдЭлтаДерева[] Get_Items(ПРежимПолученияЭлтов режим, ИдЭлтаДерева родитЭлт, бул skip_parent) { // Console.WriteLine("---"); ИдЭлтаДерева[] list; Add_Items(режим, родитЭлт, list, ЦелУкз.init, skip_parent); return list; } private проц Add_Items(ПРежимПолученияЭлтов режим, ИдЭлтаДерева родитель, ИдЭлтаДерева[] list, ЦелУкз куки, бул skip_parent) { ИдЭлтаДерева ид; if ( куки == ЦелУкз.init) { if ( (! skip_parent) && ((режим == ПРежимПолученияЭлтов.Все) || (this.выделен(родитель)))) { // Console.WriteLine(this.дайТекстЭлта(родитель)); list ~= родитель; } ид = дайПервОтпрыск(родитель, куки); } else { ид = дайСледщОтпрыск(родитель, куки); } if ( ! ид.Ок() ) return; if ((режим == ПРежимПолученияЭлтов.Все) || (this.выделен(ид))) { // Console.WriteLine(this.дайТекстЭлта(ид)); list ~= ид; } if (уЭлтаЕстьОтпрыски(ид)) { Add_Items(режим, ид, list, ЦелУкз.init, нет); } Add_Items(режим, родитель, list, куки, нет); } //--------------------------------------------------------------------- export бцел отступ() { return wxTreeCtrl_GetIndent(вхобъ); } export проц отступ(бцел значение) { wxTreeCtrl_SetIndent(вхобъ, значение); } //--------------------------------------------------------------------- export бцел спейсинг() { return wxTreeCtrl_GetSpacing(вхобъ); } export проц спейсинг(бцел значение) { wxTreeCtrl_SetSpacing(вхобъ, значение); } //--------------------------------------------------------------------- export Цвет дайЦветТекстаЭлта(ИдЭлтаДерева элт) { return new Цвет(wxTreeCtrl_GetItemTextColour(вхобъ, ВизОбъект.безопУк(элт)), да); } //--------------------------------------------------------------------- export Цвет дайЦветФонаЭлта(ИдЭлтаДерева элт) { return new Цвет(wxTreeCtrl_GetItemBackgroundColour(вхобъ, ВизОбъект.безопУк(элт)), да); } //--------------------------------------------------------------------- export Шрифт дайШрифтЭлта(ИдЭлтаДерева элт) { return new Шрифт(wxTreeCtrl_GetItemFont(вхобъ, ВизОбъект.безопУк(элт)), да); } export проц устШрифтЭлта(ИдЭлтаДерева элт, Шрифт шрифт) { wxTreeCtrl_SetItemFont(вхобъ, ВизОбъект.безопУк(элт), ВизОбъект.безопУк(шрифт)); } //--------------------------------------------------------------------- export проц устУЭлтаЕстьОтпрыски(ИдЭлтаДерева элт) { устУЭлтаЕстьОтпрыски(элт, да); } export проц устУЭлтаЕстьОтпрыски(ИдЭлтаДерева элт, бул есть) { wxTreeCtrl_SetItemHasChildren(вхобъ, ВизОбъект.безопУк(элт), есть); } //--------------------------------------------------------------------- export проц устУЭлтПолужирный(ИдЭлтаДерева элт) { устУЭлтПолужирный(элт, да); } export проц устУЭлтПолужирный(ИдЭлтаДерева элт, бул полужирный) { wxTreeCtrl_SetItemBold(вхобъ, ВизОбъект.безопУк(элт), полужирный); } //--------------------------------------------------------------------- export проц устЦветТекстаЭлта(ИдЭлтаДерева элт, Цвет кол) { wxTreeCtrl_SetItemTextColour(вхобъ, ВизОбъект.безопУк(элт), ВизОбъект.безопУк(кол)); } //--------------------------------------------------------------------- export проц устЦветФонаТекстаЭлта(ИдЭлтаДерева элт, Цвет кол) { wxTreeCtrl_SetItemBackgroundColour(вхобъ, ВизОбъект.безопУк(элт), ВизОбъект.безопУк(кол)); } //--------------------------------------------------------------------- export проц редактируйНадпись(ИдЭлтаДерева элт) { wxTreeCtrl_EditLabel(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export бул дайОгранПрям(ИдЭлтаДерева элт, inout Прямоугольник прям) { return дайОгранПрям(элт, прям, нет); } export бул дайОгранПрям(ИдЭлтаДерева элт, inout Прямоугольник прям, бул толькоТекст) { return wxTreeCtrl_GetBoundingRect(вхобъ, ВизОбъект.безопУк(элт), прям, толькоТекст); } //--------------------------------------------------------------------- export ИдЭлтаДерева вставьЭлт(ИдЭлтаДерева родитель, ИдЭлтаДерева предш, ткст текст) { return вставьЭлт(родитель, предш, текст, -1, -1, пусто); } export ИдЭлтаДерева вставьЭлт(ИдЭлтаДерева родитель, ИдЭлтаДерева предш, ткст текст, цел рисунок) { return вставьЭлт(родитель, предш, текст, рисунок, -1, пусто); } export ИдЭлтаДерева вставьЭлт(ИдЭлтаДерева родитель, ИдЭлтаДерева предш, ткст текст, цел рисунок, цел рисунокВыд) { return вставьЭлт(родитель, предш, текст, рисунок, рисунокВыд, пусто); } export ИдЭлтаДерева вставьЭлт(ИдЭлтаДерева родитель, ИдЭлтаДерева предш, ткст текст, цел рисунок, цел рисунокВыд, ДанныеЭлтаДерева данные) { return new ИдЭлтаДерева(wxTreeCtrl_InsertItem(вхобъ, ВизОбъект.безопУк(родитель), ВизОбъект.безопУк(предш), текст, рисунок, рисунокВыд, ВизОбъект.безопУк(данные)), да); } //--------------------------------------------------------------------- export ИдЭлтаДерева вставьЭлт(ИдЭлтаДерева родитель, цел перед, ткст текст) { return вставьЭлт(родитель, перед, текст, -1, -1, пусто); } export ИдЭлтаДерева вставьЭлт(ИдЭлтаДерева родитель, цел перед, ткст текст, цел рисунок) { return вставьЭлт(родитель, перед, текст, рисунок, -1, пусто); } export ИдЭлтаДерева вставьЭлт(ИдЭлтаДерева родитель, цел перед, ткст текст, цел рисунок, цел рисунокВыд) { return вставьЭлт(родитель, перед, текст, рисунок, рисунокВыд, пусто); } export ИдЭлтаДерева вставьЭлт(ИдЭлтаДерева родитель, цел перед, ткст текст, цел рисунок, цел рисунокВыд, ДанныеЭлтаДерева данные) { return new ИдЭлтаДерева(wxTreeCtrl_InsertItem2(вхобъ, ВизОбъект.безопУк(родитель), перед, текст, рисунок, рисунокВыд, ВизОбъект.безопУк(данные)), да); } //--------------------------------------------------------------------- export бул полужирный(ИдЭлтаДерева элт) { return wxTreeCtrl_IsBold(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export ИдЭлтаДерева подставьЭлт(ИдЭлтаДерева родитель, ткст текст) { return подставьЭлт(родитель, текст, -1, -1, пусто); } export ИдЭлтаДерева подставьЭлт(ИдЭлтаДерева родитель, ткст текст, цел рисунок) { return подставьЭлт(родитель, текст, рисунок, -1, пусто); } export ИдЭлтаДерева подставьЭлт(ИдЭлтаДерева родитель, ткст текст, цел рисунок, цел рисунокВыд) { return подставьЭлт(родитель, текст, рисунок, рисунокВыд, пусто); } export ИдЭлтаДерева подставьЭлт(ИдЭлтаДерева родитель, ткст текст, цел рисунок, цел рисунокВыд, ДанныеЭлтаДерева данные) { return new ИдЭлтаДерева(wxTreeCtrl_PrependItem(вхобъ, ВизОбъект.безопУк(родитель), текст, рисунок, рисунокВыд, ВизОбъект.безопУк(данные)), да); } //--------------------------------------------------------------------- export проц устРисунокВыделенЭлта(ИдЭлтаДерева элт, цел выделенРис) { wxTreeCtrl_SetItemSelectedImage(вхобъ, ВизОбъект.безопУк(элт), выделенРис); } //--------------------------------------------------------------------- export проц переключиВыделениеЭлта(ИдЭлтаДерева элт) { wxTreeCtrl_ToggleItemSelection(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export проц отмениВыделениеЭлта(ИдЭлтаДерева элт) { wxTreeCtrl_UnselectItem(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export проц сортируйОтпрыски(ИдЭлтаДерева элт) { wxTreeCtrl_SortChildren(вхобъ, ВизОбъект.безопУк(элт)); } //--------------------------------------------------------------------- export проц BeginDrag_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_НАЧАЛО_ТЯГА, ид, значение, this); } export проц BeginDrag_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц BeginRightDrag_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_НАЧАЛО_ПТЯГА, ид, значение, this); } export проц BeginRightDrag_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц BeginLabelEdit_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_НАЧАЛО_РЕДАКТИРОВАНИЯ_ЯРЛЫКА, ид, значение, this); } export проц BeginLabelEdit_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц EndLabelEdit_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_КОНЕЦ_РЕДАКТИРОВАНИЯ_ЯРЛЫКА, ид, значение, this); } export проц EndLabelEdit_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц DeleteItem_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_УДАЛИТЬ_ЭЛЕМЕНТ, ид, значение, this); } export проц DeleteItem_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц GetInfo_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_ДАТЬ_ИНФО, ид, значение, this); } export проц GetInfo_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц SetInfo_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_УСТ_ИНФО, ид, значение, this); } export проц SetInfo_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц ItemExpand_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_РАЗВЁРНУТ, ид, значение, this); } export проц ItemExpand_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц ItemExpanding_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_РАЗВОРАЧИВАЕТСЯ, ид, значение, this); } export проц ItemExpanding_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц ItemCollapse_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_СВЁРНУТ, ид, значение, this); } export проц ItemCollapse_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц ItemCollapsing_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_СВОРАЧИВАЕТСЯ, ид, значение, this); } export проц ItemCollapsing_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц добавьИзменениеВыбора(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_ВЫД_ИЗМЕНЕНО, ид, значение, this); } export проц удалиИзменениеВыбора(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц SelectionChanging_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_ВЫД_ИЗМЕНЯЕТСЯ, ид, значение, this); } export проц SelectionChanging_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export override проц KeyDown_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_КЛАВИША_ВНИЗУ, ид, значение, this); } export override проц KeyDown_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц ItemActivate_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_АКТИВИРОВАН, ид, значение, this); } export проц ItemActivate_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц ItemRightClick_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_ПРАВАЯ_НАЖАТА, ид, значение, this); } export проц ItemRightClick_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц ItemMiddleClick_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_СРЕДНЯЯ_НАЖАТА, ид, значение, this); } export проц ItemMiddleClick_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } export проц EndDrag_Add(ДатчикСобытий значение) { добавьДатчикКоманд(Событие.Тип.СОБ_КОМАНДА_ДЕРЕВО_КОНЕЦ_ТЯГА, ид, значение, this); } export проц EndDrag_Remove(ДатчикСобытий значение) { удалиОбработчик(значение, this); } } //----------------------------------------------------------------------------- //! \cond EXTERN extern (C) ЦелУкз wxTreeEvent_ctor(цел типКоманды, цел ид); extern (C) ЦелУкз wxTreeEvent_GetItem(ЦелУкз сам); extern (C) проц wxTreeEvent_SetItem(ЦелУкз сам, ЦелУкз элт); extern (C) ЦелУкз wxTreeEvent_GetOldItem(ЦелУкз сам); extern (C) проц wxTreeEvent_SetOldItem(ЦелУкз сам, ЦелУкз элт); extern (C) проц wxTreeEvent_GetPoint(ЦелУкз сам, inout Точка тчк); extern (C) проц wxTreeEvent_SetPoint(ЦелУкз сам, inout Точка тчк); extern (C) ЦелУкз wxTreeEvent_GetKeyEvent(ЦелУкз сам); extern (C) цел wxTreeEvent_GetKeyCode(ЦелУкз сам); extern (C) проц wxTreeEvent_SetKeyEvent(ЦелУкз сам, ЦелУкз соб); extern (C) ЦелУкз wxTreeEvent_GetLabel(ЦелУкз сам); extern (C) проц wxTreeEvent_SetLabel(ЦелУкз сам, ткст ярлык); extern (C) бул wxTreeEvent_IsEditCancelled(ЦелУкз сам); extern (C) проц wxTreeEvent_SetEditCanceled(ЦелУкз сам, бул editCancelled); //extern (C) цел wxTreeEvent_GetCode(ЦелУкз сам); extern (C) проц wxTreeEvent_Veto(ЦелУкз сам); extern (C) проц wxTreeEvent_Allow(ЦелУкз сам); extern (C) бул wxTreeEvent_IsAllowed(ЦелУкз сам); extern (C) проц wxTreeEvent_SetToolTip(ЦелУкз сам, ткст тултип); //! \endcond //----------------------------------------------------------------------------- export class СобытиеДерева : Событие { export this(ЦелУкз вхобъ) { super(вхобъ); } export this(цел типКоманды, цел ид) { super(wxTreeEvent_ctor(типКоманды, ид)); } //----------------------------------------------------------------------------- export ИдЭлтаДерева элт() { return new ИдЭлтаДерева(wxTreeEvent_GetItem(вхобъ), да); } export проц элт(ИдЭлтаДерева значение) { wxTreeEvent_SetItem(вхобъ, ВизОбъект.безопУк(значение)); } export ИдЭлтаДерева прежднЭлт() { return new ИдЭлтаДерева(wxTreeEvent_GetOldItem(вхобъ), да); } export проц прежднЭлт(ИдЭлтаДерева значение) { wxTreeEvent_SetOldItem(вхобъ, ВизОбъект.безопУк(значение)); } //----------------------------------------------------------------------------- export Точка точка() { Точка тчк; wxTreeEvent_GetPoint(вхобъ, тчк); return тчк; } export проц точка(Точка значение) { wxTreeEvent_SetPoint(вхобъ, значение); } //----------------------------------------------------------------------------- export СобытиеКлавиатуры собКлавиатуры() { return cast(СобытиеКлавиатуры)найдиОбъект(wxTreeEvent_GetKeyEvent(вхобъ), cast(ВизОбъект function(ЦелУкз ptr))&СобытиеКлавиатуры.Нов); } export проц собКлавиатуры(СобытиеКлавиатуры значение) { wxTreeEvent_SetKeyEvent(вхобъ, ВизОбъект.безопУк(значение)); } //----------------------------------------------------------------------------- export цел кодКл() { return wxTreeEvent_GetKeyCode(вхобъ); } //----------------------------------------------------------------------------- export ткст ярлык() { return cast(ткст) new ВизТкст(wxTreeEvent_GetLabel(вхобъ), да); } export проц ярлык(ткст значение) { wxTreeEvent_SetLabel(вхобъ, значение); } //----------------------------------------------------------------------------- export бул редактированиеОтменено() { return wxTreeEvent_IsEditCancelled(вхобъ); } export проц редактированиеОтменено(бул значение) { wxTreeEvent_SetEditCanceled(вхобъ, значение); } export проц тултип(ткст значение) { wxTreeEvent_SetToolTip(вхобъ, значение); } //----------------------------------------------------------------------------- export проц запрет() { wxTreeEvent_Veto(вхобъ); } //----------------------------------------------------------------------------- export проц позволить() { wxTreeEvent_Allow(вхобъ); } //----------------------------------------------------------------------------- export бул позволено() { return wxTreeEvent_IsAllowed(вхобъ); } private static Событие Нов(ЦелУкз объ) { return new СобытиеДерева(объ); } static this() { super.Тип.СОБ_КОМАНДА_ДЕРЕВО_НАЧАЛО_ТЯГА = wxEvent_EVT_COMMAND_TREE_BEGIN_DRAG(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_НАЧАЛО_ПТЯГА = wxEvent_EVT_COMMAND_TREE_BEGIN_RDRAG(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_НАЧАЛО_РЕДАКТИРОВАНИЯ_ЯРЛЫКА = wxEvent_EVT_COMMAND_TREE_BEGIN_LABEL_EDIT(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_КОНЕЦ_РЕДАКТИРОВАНИЯ_ЯРЛЫКА = wxEvent_EVT_COMMAND_TREE_END_LABEL_EDIT(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_УДАЛИТЬ_ЭЛЕМЕНТ = wxEvent_EVT_COMMAND_TREE_DELETE_ITEM(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ДАТЬ_ИНФО = wxEvent_EVT_COMMAND_TREE_GET_INFO(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_УСТ_ИНФО = wxEvent_EVT_COMMAND_TREE_SET_INFO(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_РАЗВЁРНУТ = wxEvent_EVT_COMMAND_TREE_ITEM_EXPANDED(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_РАЗВОРАЧИВАЕТСЯ = wxEvent_EVT_COMMAND_TREE_ITEM_EXPANDING(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_СВЁРНУТ = wxEvent_EVT_COMMAND_TREE_ITEM_COLLAPSED(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_СВОРАЧИВАЕТСЯ = wxEvent_EVT_COMMAND_TREE_ITEM_COLLAPSING(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ВЫД_ИЗМЕНЕНО = wxEvent_EVT_COMMAND_TREE_SEL_CHANGED(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ВЫД_ИЗМЕНЯЕТСЯ = wxEvent_EVT_COMMAND_TREE_SEL_CHANGING(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_КЛАВИША_ВНИЗУ = wxEvent_EVT_COMMAND_TREE_KEY_DOWN(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_АКТИВИРОВАН = wxEvent_EVT_COMMAND_TREE_ITEM_ACTIVATED(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ПРАВАЯ_НАЖАТА = wxEvent_EVT_COMMAND_TREE_ITEM_RIGHT_CLICK(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_СРЕДНЯЯ_НАЖАТА = wxEvent_EVT_COMMAND_TREE_ITEM_MIDDLE_CLICK(); super.Тип.СОБ_КОМАНДА_ДЕРЕВО_КОНЕЦ_ТЯГА = wxEvent_EVT_COMMAND_TREE_END_DRAG(); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_НАЧАЛО_ТЯГА, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_НАЧАЛО_ПТЯГА, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_НАЧАЛО_РЕДАКТИРОВАНИЯ_ЯРЛЫКА, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_КОНЕЦ_РЕДАКТИРОВАНИЯ_ЯРЛЫКА, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_УДАЛИТЬ_ЭЛЕМЕНТ, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ДАТЬ_ИНФО, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_УСТ_ИНФО, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_РАЗВЁРНУТ, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_РАЗВОРАЧИВАЕТСЯ, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_СВЁРНУТ, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_СВОРАЧИВАЕТСЯ, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ВЫД_ИЗМЕНЕНО, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ВЫД_ИЗМЕНЯЕТСЯ, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_КЛАВИША_ВНИЗУ, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ЭЛТ_АКТИВИРОВАН, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_ПРАВАЯ_НАЖАТА, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_СРЕДНЯЯ_НАЖАТА, &СобытиеДерева.Нов); добавьТипСоб (super.Тип.СОБ_КОМАНДА_ДЕРЕВО_КОНЕЦ_ТЯГА, &СобытиеДерева.Нов); } } //--------------------------------------------------------------------- //! \cond EXTERN extern (C) ЦелУкз wxArrayTreeItemIds_ctor(); extern (C) проц wxArrayTreeItemIds_dtor(ЦелУкз сам); extern (C) проц wxArrayTreeItemIds_RegisterDisposable(ЦелУкз сам, Virtual_Dispose onDispose); extern (C) проц wxArrayTreeItemIds_Add(ЦелУкз сам, ЦелУкз доб); extern (C) ЦелУкз wxArrayTreeItemIds_Item(ЦелУкз сам, цел чис); extern (C) цел wxArrayTreeItemIds_GetCount(ЦелУкз сам); //! \endcond //--------------------------------------------------------------------- export class ИдыЭлтовМассиваДерева : ВизОбъект { export this(ЦелУкз вхобъ) { super(вхобъ); } private this(ЦелУкз вхобъ, бул памСобств) { super(вхобъ); this.памСобств = памСобств; } export this() { this(wxArrayTreeItemIds_ctor(), да); wxArrayTreeItemIds_RegisterDisposable(вхобъ, &VirtualDispose); } //--------------------------------------------------------------------- export ИдЭлтаДерева[] вМассив() { цел счёт = this.счёт(); ИдЭлтаДерева[] tmps = new ИдЭлтаДерева[счёт]; for (цел i = 0; i < счёт; i++) tmps[i] = this.элт(i); return tmps; } export ИдЭлтаДерева элт(цел чис) { return new ИдЭлтаДерева(wxArrayTreeItemIds_Item(вхобъ, чис), да); } export проц добавь(ИдЭлтаДерева доб) { wxArrayTreeItemIds_Add(вхобъ, ВизОбъект.безопУк(доб)); } export цел счёт() { return wxArrayTreeItemIds_GetCount(вхобъ); } //--------------------------------------------------------------------- override protected проц dtor() { wxArrayTreeItemIds_dtor(вхобъ); } //---------------------------- export ~this(){this.dtor();} //---------------------------- }
D
/Users/mu/Hello/.build/x86_64-apple-macosx/debug/Crypto.build/RSA/RSAKey.swift.o : /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/Base32.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/RSA/RSA.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/MAC/HMAC.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/MAC/OTP.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/Deprecated.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/RSA/RSAPadding.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/CipherAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLCipherAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipherAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Digest/DigestAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Random/CryptoRandom.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/Cipher.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipher.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLStreamCipher.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/CryptoError.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/Exports.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Digest/Digest.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/BCrypt/BCryptDigest.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/RSA/RSAKey.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mu/Hello/.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/mu/Hello/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mu/Hello/.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.8.3/include/openssl/asn1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/tls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/md5.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509.h /usr/local/Cellar/libressl/2.8.3/include/openssl/sha.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/hmac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ec.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rand.h /usr/local/Cellar/libressl/2.8.3/include/openssl/conf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/lhash.h /usr/local/Cellar/libressl/2.8.3/include/openssl/stack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/safestack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl.h /Users/mu/Hello/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bn.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bio.h /usr/local/Cellar/libressl/2.8.3/include/openssl/crypto.h /usr/local/Cellar/libressl/2.8.3/include/openssl/srtp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/evp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.8.3/include/openssl/buffer.h /usr/local/Cellar/libressl/2.8.3/include/openssl/err.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.8.3/include/openssl/objects.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslv.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509_vfy.h /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mu/Hello/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/mu/Hello/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/mu/Hello/.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/mu/Hello/.build/x86_64-apple-macosx/debug/Crypto.build/RSA/RSAKey~partial.swiftmodule : /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/Base32.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/RSA/RSA.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/MAC/HMAC.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/MAC/OTP.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/Deprecated.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/RSA/RSAPadding.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/CipherAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLCipherAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipherAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Digest/DigestAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Random/CryptoRandom.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/Cipher.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipher.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLStreamCipher.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/CryptoError.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/Exports.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Digest/Digest.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/BCrypt/BCryptDigest.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/RSA/RSAKey.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mu/Hello/.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/mu/Hello/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mu/Hello/.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.8.3/include/openssl/asn1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/tls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/md5.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509.h /usr/local/Cellar/libressl/2.8.3/include/openssl/sha.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/hmac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ec.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rand.h /usr/local/Cellar/libressl/2.8.3/include/openssl/conf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/lhash.h /usr/local/Cellar/libressl/2.8.3/include/openssl/stack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/safestack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl.h /Users/mu/Hello/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bn.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bio.h /usr/local/Cellar/libressl/2.8.3/include/openssl/crypto.h /usr/local/Cellar/libressl/2.8.3/include/openssl/srtp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/evp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.8.3/include/openssl/buffer.h /usr/local/Cellar/libressl/2.8.3/include/openssl/err.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.8.3/include/openssl/objects.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslv.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509_vfy.h /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mu/Hello/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/mu/Hello/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/mu/Hello/.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/mu/Hello/.build/x86_64-apple-macosx/debug/Crypto.build/RSA/RSAKey~partial.swiftdoc : /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/Base32.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/RSA/RSA.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/MAC/HMAC.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/MAC/OTP.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/Deprecated.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/RSA/RSAPadding.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/CipherAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLCipherAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipherAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Digest/DigestAlgorithm.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Random/CryptoRandom.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/Cipher.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/AuthenticatedCipher.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Cipher/OpenSSLStreamCipher.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/CryptoError.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Utilities/Exports.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/Digest/Digest.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/BCrypt/BCryptDigest.swift /Users/mu/Hello/.build/checkouts/crypto/Sources/Crypto/RSA/RSAKey.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mu/Hello/.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/mu/Hello/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mu/Hello/.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.8.3/include/openssl/asn1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/tls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dtls1.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs12.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem2.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl23.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509v3.h /usr/local/Cellar/libressl/2.8.3/include/openssl/md5.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pkcs7.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509.h /usr/local/Cellar/libressl/2.8.3/include/openssl/sha.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rsa.h /usr/local/Cellar/libressl/2.8.3/include/openssl/obj_mac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/hmac.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ec.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /usr/local/Cellar/libressl/2.8.3/include/openssl/rand.h /usr/local/Cellar/libressl/2.8.3/include/openssl/conf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslconf.h /usr/local/Cellar/libressl/2.8.3/include/openssl/dh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ecdh.h /usr/local/Cellar/libressl/2.8.3/include/openssl/lhash.h /usr/local/Cellar/libressl/2.8.3/include/openssl/stack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/safestack.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ssl.h /Users/mu/Hello/.build/checkouts/crypto/Sources/CCryptoOpenSSL/include/c_crypto_openssl.h /usr/local/Cellar/libressl/2.8.3/include/openssl/pem.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bn.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /usr/local/Cellar/libressl/2.8.3/include/openssl/bio.h /usr/local/Cellar/libressl/2.8.3/include/openssl/crypto.h /usr/local/Cellar/libressl/2.8.3/include/openssl/srtp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/evp.h /usr/local/Cellar/libressl/2.8.3/include/openssl/ossl_typ.h /usr/local/Cellar/libressl/2.8.3/include/openssl/buffer.h /usr/local/Cellar/libressl/2.8.3/include/openssl/err.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslfeatures.h /usr/local/Cellar/libressl/2.8.3/include/openssl/objects.h /usr/local/Cellar/libressl/2.8.3/include/openssl/opensslv.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /usr/local/Cellar/libressl/2.8.3/include/openssl/x509_vfy.h /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mu/Hello/.build/checkouts/crypto/Sources/CBase32/include/module.modulemap /Users/mu/Hello/.build/checkouts/crypto/Sources/CBcrypt/include/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-zlib-support/module.modulemap /Users/mu/Hello/.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
/** * Copyright: <a href="http://www.boost.org/LICENSE_1_0.txt">Boost License 1.0</a>. * Authors: $(LINK2 http://cattermole.co.nz, Richard Andrew Cattermole) */ module cf.spew.implementation.streams.base; import cf.spew.streams.defs; private { StreamPoint streamPointsLL; } abstract class StreamPoint : IStreamThing { private StreamPoint nextLL, lastLL; ~this() { removeFromLifeLL(); } @property { void onStreamClose(OnStreamClosedDel callback) { onStreamCloseDel = callback; } void onData(OnStreamDataDel callback) { onDataDel = callback; } void onServerConnect(OnStreamServerConnectedDel callback) { onStreamServerConnectedDel = callback; } void onConnect(OnStreamConnectedDel callback) { onStreamConnectedDel = callback; } } package(cf.spew.implementation) { OnStreamClosedDel onStreamCloseDel; OnStreamDataDel onDataDel; OnStreamServerConnectedDel onStreamServerConnectedDel; OnStreamConnectedDel onStreamConnectedDel; void addToLifeLL() { nextLL = streamPointsLL; streamPointsLL = this; if (nextLL !is null) nextLL.lastLL = this; } void removeFromLifeLL() { if (lastLL !is null) lastLL.nextLL = nextLL; if (nextLL !is null) nextLL.lastLL = lastLL; nextLL = null; lastLL = null; } static void closeAllInstances() { auto point = cast(StreamPoint)streamPointsLL; while(point !is null) { point.close; point = point.nextLL; } streamPointsLL = null; } } }
D
/home/aitorzaldua/rust_bootcamp/bubble_sort/target/release/build/rand-b41ad0aa1e16e1d5/build_script_build-b41ad0aa1e16e1d5: /home/aitorzaldua/.cargo/registry/src/github.com-1ecc6299db9ec823/rand-0.6.5/build.rs /home/aitorzaldua/rust_bootcamp/bubble_sort/target/release/build/rand-b41ad0aa1e16e1d5/build_script_build-b41ad0aa1e16e1d5.d: /home/aitorzaldua/.cargo/registry/src/github.com-1ecc6299db9ec823/rand-0.6.5/build.rs /home/aitorzaldua/.cargo/registry/src/github.com-1ecc6299db9ec823/rand-0.6.5/build.rs:
D
/** * Do mangling for C++ linkage for Digital Mars C++ and Microsoft Visual C++. * * Copyright: Copyright (C) 1999-2023 by The D Language Foundation, All Rights Reserved * Authors: Walter Bright, https://www.digitalmars.com * License: $(LINK2 https://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/cppmanglewin.d, _cppmanglewin.d) * Documentation: https://dlang.org/phobos/dmd_cppmanglewin.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/cppmanglewin.d */ module dmd.cppmanglewin; import core.stdc.string; import core.stdc.stdio; import dmd.arraytypes; import dmd.astenums; import dmd.cppmangle : isAggregateDtor, isCppOperator, CppOperator; import dmd.dclass; import dmd.declaration; import dmd.denum : isSpecialEnumIdent; import dmd.dstruct; import dmd.dsymbol; import dmd.dtemplate; import dmd.errors; import dmd.expression; import dmd.func; import dmd.globals; import dmd.id; import dmd.identifier; import dmd.location; import dmd.mtype; import dmd.common.outbuffer; import dmd.root.rootobject; import dmd.target; import dmd.tokens; import dmd.typesem; import dmd.visitor; extern (C++): const(char)* toCppMangleMSVC(Dsymbol s) { scope VisualCPPMangler v = new VisualCPPMangler(false, s.loc); return v.mangleOf(s); } const(char)* cppTypeInfoMangleMSVC(Dsymbol s) { //printf("cppTypeInfoMangle(%s)\n", s.toChars()); assert(0); } const(char)* toCppMangleDMC(Dsymbol s) { scope VisualCPPMangler v = new VisualCPPMangler(true, s.loc); return v.mangleOf(s); } const(char)* cppTypeInfoMangleDMC(Dsymbol s) { //printf("cppTypeInfoMangle(%s)\n", s.toChars()); assert(0); } /** * Issues an ICE and returns true if `type` is shared or immutable * * Params: * type = type to check * * Returns: * true if type is shared or immutable * false otherwise */ private extern (D) bool checkImmutableShared(Type type, Loc loc) { if (type.isImmutable() || type.isShared()) { error(loc, "internal compiler error: `shared` or `immutable` types cannot be mapped to C++ (%s)", type.toChars()); fatal(); return true; } return false; } private final class VisualCPPMangler : Visitor { enum VC_SAVED_TYPE_CNT = 10u; enum VC_SAVED_IDENT_CNT = 10u; alias visit = Visitor.visit; Identifier[VC_SAVED_IDENT_CNT] saved_idents; Type[VC_SAVED_TYPE_CNT] saved_types; Loc loc; /// location for use in error messages // IS_NOT_TOP_TYPE: when we mangling one argument, we can call visit several times (for base types of arg type) // but we must save only arg type: // For example: if we have an int** argument, we should save "int**" but visit will be called for "int**", "int*", "int" // This flag is set up by the visit(NextType, ) function and should be reset when the arg type output is finished. // MANGLE_RETURN_TYPE: return type shouldn't be saved and substituted in arguments // IGNORE_CONST: in some cases we should ignore CV-modifiers. // ESCAPE: toplevel const non-pointer types need a '$$C' escape in addition to a cv qualifier. enum Flags : int { IS_NOT_TOP_TYPE = 0x1, MANGLE_RETURN_TYPE = 0x2, IGNORE_CONST = 0x4, IS_DMC = 0x8, ESCAPE = 0x10, } alias IS_NOT_TOP_TYPE = Flags.IS_NOT_TOP_TYPE; alias MANGLE_RETURN_TYPE = Flags.MANGLE_RETURN_TYPE; alias IGNORE_CONST = Flags.IGNORE_CONST; alias IS_DMC = Flags.IS_DMC; alias ESCAPE = Flags.ESCAPE; int flags; OutBuffer buf; extern (D) this(VisualCPPMangler rvl) { flags |= (rvl.flags & IS_DMC); saved_idents[] = rvl.saved_idents[]; saved_types[] = rvl.saved_types[]; loc = rvl.loc; } public: extern (D) this(bool isdmc, Loc loc) { if (isdmc) { flags |= IS_DMC; } saved_idents[] = null; saved_types[] = null; this.loc = loc; } override void visit(Type type) { if (checkImmutableShared(type, loc)) return; error(loc, "internal compiler error: type `%s` cannot be mapped to C++\n", type.toChars()); fatal(); //Fatal, because this error should be handled in frontend } override void visit(TypeNull type) { if (checkImmutableShared(type, loc)) return; if (checkTypeSaved(type)) return; buf.writestring("$$T"); flags &= ~IS_NOT_TOP_TYPE; flags &= ~IGNORE_CONST; } override void visit(TypeNoreturn type) { if (checkImmutableShared(type, loc)) return; if (checkTypeSaved(type)) return; buf.writeByte('X'); // yes, mangle it like `void` flags &= ~IS_NOT_TOP_TYPE; flags &= ~IGNORE_CONST; } override void visit(TypeBasic type) { //printf("visit(TypeBasic); is_not_top_type = %d\n", cast(int)(flags & IS_NOT_TOP_TYPE)); if (checkImmutableShared(type, loc)) return; if (type.isConst() && ((flags & IS_NOT_TOP_TYPE) || (flags & IS_DMC))) { if (checkTypeSaved(type)) return; } if ((type.ty == Tbool) && checkTypeSaved(type)) // try to replace long name with number { return; } if (!(flags & IS_DMC)) { switch (type.ty) { case Tint64: case Tuns64: case Tint128: case Tuns128: case Tfloat80: case Twchar: if (checkTypeSaved(type)) return; break; default: break; } } mangleModifier(type); switch (type.ty) { case Tvoid: buf.writeByte('X'); break; case Tint8: buf.writeByte('C'); break; case Tuns8: buf.writeByte('E'); break; case Tint16: buf.writeByte('F'); break; case Tuns16: buf.writeByte('G'); break; case Tint32: buf.writeByte('H'); break; case Tuns32: buf.writeByte('I'); break; case Tfloat32: buf.writeByte('M'); break; case Tint64: buf.writestring("_J"); break; case Tuns64: buf.writestring("_K"); break; case Tint128: buf.writestring("_L"); break; case Tuns128: buf.writestring("_M"); break; case Tfloat64: buf.writeByte('N'); break; case Tfloat80: if (flags & IS_DMC) buf.writestring("_Z"); // DigitalMars long double else buf.writestring("_T"); // Intel long double break; case Tbool: buf.writestring("_N"); break; case Tchar: buf.writeByte('D'); break; case Twchar: buf.writestring("_S"); // Visual C++ char16_t (since C++11) break; case Tdchar: buf.writestring("_U"); // Visual C++ char32_t (since C++11) break; default: visit(cast(Type)type); return; } flags &= ~IS_NOT_TOP_TYPE; flags &= ~IGNORE_CONST; } override void visit(TypeVector type) { //printf("visit(TypeVector); is_not_top_type = %d\n", cast(int)(flags & IS_NOT_TOP_TYPE)); if (checkTypeSaved(type)) return; mangleModifier(type); buf.writestring("T__m128@@"); // may be better as __m128i or __m128d? flags &= ~IS_NOT_TOP_TYPE; flags &= ~IGNORE_CONST; } override void visit(TypeSArray type) { // This method can be called only for static variable type mangling. //printf("visit(TypeSArray); is_not_top_type = %d\n", cast(int)(flags & IS_NOT_TOP_TYPE)); if (checkTypeSaved(type)) return; // first dimension always mangled as const pointer if (flags & IS_DMC) buf.writeByte('Q'); else buf.writeByte('P'); flags |= IS_NOT_TOP_TYPE; assert(type.next); if (type.next.ty == Tsarray) { mangleArray(cast(TypeSArray)type.next); } else { type.next.accept(this); } } // attention: D int[1][2]* arr mapped to C++ int arr[][2][1]; (because it's more typical situation) // There is not way to map int C++ (*arr)[2][1] to D override void visit(TypePointer type) { //printf("visit(TypePointer); is_not_top_type = %d\n", cast(int)(flags & IS_NOT_TOP_TYPE)); if (checkImmutableShared(type, loc)) return; assert(type.next); if (type.next.ty == Tfunction) { const(char)* arg = mangleFunctionType(cast(TypeFunction)type.next); // compute args before checking to save; args should be saved before function type // If we've mangled this function early, previous call is meaningless. // However we should do it before checking to save types of function arguments before function type saving. // If this function was already mangled, types of all it arguments are save too, thus previous can't save // anything if function is saved. if (checkTypeSaved(type)) return; if (type.isConst()) buf.writeByte('Q'); // const else buf.writeByte('P'); // mutable buf.writeByte('6'); // pointer to a function buf.writestring(arg); flags &= ~IS_NOT_TOP_TYPE; flags &= ~IGNORE_CONST; return; } else if (type.next.ty == Tsarray) { if (checkTypeSaved(type)) return; mangleModifier(type); if (type.isConst() || !(flags & IS_DMC)) buf.writeByte('Q'); // const else buf.writeByte('P'); // mutable if (target.isLP64) buf.writeByte('E'); flags |= IS_NOT_TOP_TYPE; mangleArray(cast(TypeSArray)type.next); return; } else { if (checkTypeSaved(type)) return; mangleModifier(type); if (type.isConst()) { buf.writeByte('Q'); // const } else { buf.writeByte('P'); // mutable } if (target.isLP64) buf.writeByte('E'); flags |= IS_NOT_TOP_TYPE; type.next.accept(this); } } override void visit(TypeReference type) { //printf("visit(TypeReference); type = %s\n", type.toChars()); if (checkTypeSaved(type)) return; if (checkImmutableShared(type, loc)) return; buf.writeByte('A'); // mutable if (target.isLP64) buf.writeByte('E'); flags |= IS_NOT_TOP_TYPE; assert(type.next); if (type.next.ty == Tsarray) { mangleArray(cast(TypeSArray)type.next); } else { type.next.accept(this); } } override void visit(TypeFunction type) { const(char)* arg = mangleFunctionType(type); if ((flags & IS_DMC)) { if (checkTypeSaved(type)) return; } else { buf.writestring("$$A6"); } buf.writestring(arg); flags &= ~(IS_NOT_TOP_TYPE | IGNORE_CONST); } override void visit(TypeStruct type) { if (checkTypeSaved(type)) return; //printf("visit(TypeStruct); is_not_top_type = %d\n", cast(int)(flags & IS_NOT_TOP_TYPE)); mangleModifier(type); const agg = type.sym.isStructDeclaration(); if (type.sym.isUnionDeclaration()) buf.writeByte('T'); else buf.writeByte(agg.cppmangle == CPPMANGLE.asClass ? 'V' : 'U'); mangleIdent(type.sym); flags &= ~IS_NOT_TOP_TYPE; flags &= ~IGNORE_CONST; } override void visit(TypeEnum type) { //printf("visit(TypeEnum); is_not_top_type = %d\n", cast(int)(flags & IS_NOT_TOP_TYPE)); const id = type.sym.ident; string c; if (id == Id.__c_long_double) c = "O"; // VC++ long double else if (id == Id.__c_long) c = "J"; // VC++ long else if (id == Id.__c_ulong) c = "K"; // VC++ unsigned long else if (id == Id.__c_longlong) c = "_J"; // VC++ long long else if (id == Id.__c_ulonglong) c = "_K"; // VC++ unsigned long long else if (id == Id.__c_char) c = "D"; // VC++ char else if (id == Id.__c_wchar_t) { c = (flags & IS_DMC) ? "_Y" : "_W"; } if (c.length) { if (checkImmutableShared(type, loc)) return; if (type.isConst() && ((flags & IS_NOT_TOP_TYPE) || (flags & IS_DMC))) { if (checkTypeSaved(type)) return; } mangleModifier(type); buf.writestring(c); } else { if (checkTypeSaved(type)) return; mangleModifier(type); buf.writestring("W4"); mangleIdent(type.sym); } flags &= ~IS_NOT_TOP_TYPE; flags &= ~IGNORE_CONST; } // D class mangled as pointer to C++ class // const(Object) mangled as Object const* const override void visit(TypeClass type) { //printf("visit(TypeClass); is_not_top_type = %d\n", cast(int)(flags & IS_NOT_TOP_TYPE)); if (checkTypeSaved(type)) return; if (flags & IS_NOT_TOP_TYPE) mangleModifier(type); if (type.isConst()) buf.writeByte('Q'); else buf.writeByte('P'); if (target.isLP64) buf.writeByte('E'); flags |= IS_NOT_TOP_TYPE; mangleModifier(type); const cldecl = type.sym.isClassDeclaration(); buf.writeByte(cldecl.cppmangle == CPPMANGLE.asStruct ? 'U' : 'V'); mangleIdent(type.sym); flags &= ~IS_NOT_TOP_TYPE; flags &= ~IGNORE_CONST; } const(char)* mangleOf(Dsymbol s) { VarDeclaration vd = s.isVarDeclaration(); FuncDeclaration fd = s.isFuncDeclaration(); if (vd) { mangleVariable(vd); } else if (fd) { mangleFunction(fd); } else { assert(0); } return buf.extractChars(); } private: extern(D): void mangleVisibility(Declaration d, string privProtDef) { switch (d.visibility.kind) { case Visibility.Kind.private_: buf.writeByte(privProtDef[0]); break; case Visibility.Kind.protected_: buf.writeByte(privProtDef[1]); break; default: buf.writeByte(privProtDef[2]); break; } } void mangleFunction(FuncDeclaration d) { // <function mangle> ? <qualified name> <flags> <return type> <arg list> assert(d); buf.writeByte('?'); mangleIdent(d); if (d.needThis()) // <flags> ::= <virtual/protection flag> <const/volatile flag> <calling convention flag> { // Pivate methods always non-virtual in D and it should be mangled as non-virtual in C++ //printf("%s: isVirtualMethod = %d, isVirtual = %d, vtblIndex = %d, interfaceVirtual = %p\n", //d.toChars(), d.isVirtualMethod(), d.isVirtual(), cast(int)d.vtblIndex, d.interfaceVirtual); if ((d.isVirtual() && (d.vtblIndex != -1 || d.interfaceVirtual || d.overrideInterface())) || (d.isDtorDeclaration() && d.parent.isClassDeclaration() && !d.isFinal())) { mangleVisibility(d, "EMU"); } else { mangleVisibility(d, "AIQ"); } if (target.isLP64) buf.writeByte('E'); if (d.type.isConst()) { buf.writeByte('B'); } else { buf.writeByte('A'); } } else if (d.isMember2()) // static function { // <flags> ::= <virtual/protection flag> <calling convention flag> mangleVisibility(d, "CKS"); } else // top-level function { // <flags> ::= Y <calling convention flag> buf.writeByte('Y'); } const(char)* args = mangleFunctionType(cast(TypeFunction)d.type, d.needThis(), d.isCtorDeclaration() || isAggregateDtor(d)); buf.writestring(args); } void mangleVariable(VarDeclaration d) { // <static variable mangle> ::= ? <qualified name> <protection flag> <const/volatile flag> <type> assert(d); // fake mangling for fields to fix https://issues.dlang.org/show_bug.cgi?id=16525 if (!(d.storage_class & (STC.extern_ | STC.field | STC.gshared))) { d.error("internal compiler error: C++ static non-__gshared non-extern variables not supported"); fatal(); } buf.writeByte('?'); mangleIdent(d); assert((d.storage_class & STC.field) || !d.needThis()); Dsymbol parent = d.toParent(); while (parent && parent.isNspace()) { parent = parent.toParent(); } if (parent && parent.isModule()) // static member { buf.writeByte('3'); } else { mangleVisibility(d, "012"); } Type t = d.type; if (checkImmutableShared(t, loc)) return; const cv_mod = t.isConst() ? 'B' : 'A'; if (t.ty != Tpointer) t = t.mutableOf(); t.accept(this); if ((t.ty == Tpointer || t.ty == Treference || t.ty == Tclass) && target.isLP64) { buf.writeByte('E'); } buf.writeByte(cv_mod); } /** * Computes mangling for symbols with special mangling. * Params: * sym = symbol to mangle * Returns: * mangling for special symbols, * null if not a special symbol */ static string mangleSpecialName(Dsymbol sym) { string mangle; if (sym.isCtorDeclaration()) mangle = "?0"; else if (sym.isAggregateDtor()) mangle = "?1"; else if (!sym.ident) return null; else if (sym.ident == Id.assign) mangle = "?4"; else if (sym.ident == Id.eq) mangle = "?8"; else if (sym.ident == Id.index) mangle = "?A"; else if (sym.ident == Id.call) mangle = "?R"; else if (sym.ident == Id.cppdtor) mangle = "?_G"; else return null; return mangle; } /** * Mangles an operator, if any * * Params: * ti = associated template instance of the operator * symName = symbol name * firstTemplateArg = index if the first argument of the template (because the corresponding c++ operator is not a template) * Returns: * true if sym has no further mangling needed * false otherwise */ bool mangleOperator(TemplateInstance ti, ref const(char)[] symName, ref int firstTemplateArg) { auto whichOp = isCppOperator(ti.name); final switch (whichOp) { case CppOperator.Unknown: return false; case CppOperator.Cast: buf.writestring("?B"); return true; case CppOperator.Assign: symName = "?4"; return false; case CppOperator.Eq: symName = "?8"; return false; case CppOperator.Index: symName = "?A"; return false; case CppOperator.Call: symName = "?R"; return false; case CppOperator.Unary: case CppOperator.Binary: case CppOperator.OpAssign: TemplateDeclaration td = ti.tempdecl.isTemplateDeclaration(); assert(td); assert(ti.tiargs.length >= 1); TemplateParameter tp = (*td.parameters)[0]; TemplateValueParameter tv = tp.isTemplateValueParameter(); if (!tv || !tv.valType.isString()) return false; // expecting a string argument to operators! Expression exp = (*ti.tiargs)[0].isExpression(); StringExp str = exp.toStringExp(); switch (whichOp) { case CppOperator.Unary: switch (str.peekString()) { case "*": symName = "?D"; goto continue_template; case "++": symName = "?E"; goto continue_template; case "--": symName = "?F"; goto continue_template; case "-": symName = "?G"; goto continue_template; case "+": symName = "?H"; goto continue_template; case "~": symName = "?S"; goto continue_template; default: return false; } case CppOperator.Binary: switch (str.peekString()) { case ">>": symName = "?5"; goto continue_template; case "<<": symName = "?6"; goto continue_template; case "*": symName = "?D"; goto continue_template; case "-": symName = "?G"; goto continue_template; case "+": symName = "?H"; goto continue_template; case "&": symName = "?I"; goto continue_template; case "/": symName = "?K"; goto continue_template; case "%": symName = "?L"; goto continue_template; case "^": symName = "?T"; goto continue_template; case "|": symName = "?U"; goto continue_template; default: return false; } case CppOperator.OpAssign: switch (str.peekString()) { case "*": symName = "?X"; goto continue_template; case "+": symName = "?Y"; goto continue_template; case "-": symName = "?Z"; goto continue_template; case "/": symName = "?_0"; goto continue_template; case "%": symName = "?_1"; goto continue_template; case ">>": symName = "?_2"; goto continue_template; case "<<": symName = "?_3"; goto continue_template; case "&": symName = "?_4"; goto continue_template; case "|": symName = "?_5"; goto continue_template; case "^": symName = "?_6"; goto continue_template; default: return false; } default: assert(0); } } continue_template: if (ti.tiargs.length == 1) { buf.writestring(symName); return true; } firstTemplateArg = 1; return false; } /** * Mangles a template value * * Params: * o = expression that represents the value * tv = template value * is_dmc_template = use DMC mangling */ void mangleTemplateValue(RootObject o, TemplateValueParameter tv, Dsymbol sym, bool is_dmc_template) { if (!tv.valType.isintegral()) { sym.error("internal compiler error: C++ %s template value parameter is not supported", tv.valType.toChars()); fatal(); return; } buf.writeByte('$'); buf.writeByte('0'); Expression e = isExpression(o); assert(e); if (tv.valType.isunsigned()) { mangleNumber(e.toUInteger()); } else if (is_dmc_template) { // NOTE: DMC mangles everything based on // unsigned int mangleNumber(e.toInteger()); } else { sinteger_t val = e.toInteger(); if (val < 0) { val = -val; buf.writeByte('?'); } mangleNumber(val); } } /** * Mangles a template alias parameter * * Params: * o = the alias value, a symbol or expression */ void mangleTemplateAlias(RootObject o, Dsymbol sym) { Dsymbol d = isDsymbol(o); Expression e = isExpression(o); if (d && d.isFuncDeclaration()) { buf.writeByte('$'); buf.writeByte('1'); mangleFunction(d.isFuncDeclaration()); } else if (e && e.op == EXP.variable && (cast(VarExp)e).var.isVarDeclaration()) { buf.writeByte('$'); if (flags & IS_DMC) buf.writeByte('1'); else buf.writeByte('E'); mangleVariable((cast(VarExp)e).var.isVarDeclaration()); } else if (d && d.isTemplateDeclaration() && d.isTemplateDeclaration().onemember) { Dsymbol ds = d.isTemplateDeclaration().onemember; if (flags & IS_DMC) { buf.writeByte('V'); } else { if (ds.isUnionDeclaration()) { buf.writeByte('T'); } else if (ds.isStructDeclaration()) { buf.writeByte('U'); } else if (ds.isClassDeclaration()) { buf.writeByte('V'); } else { sym.error("internal compiler error: C++ templates support only integral value, type parameters, alias templates and alias function parameters"); fatal(); } } mangleIdent(d); } else { sym.error("internal compiler error: `%s` is unsupported parameter for C++ template", o.toChars()); fatal(); } } /** * Mangles a template alias parameter * * Params: * o = type */ void mangleTemplateType(RootObject o) { flags |= ESCAPE; Type t = isType(o); assert(t); t.accept(this); flags &= ~ESCAPE; } /** * Mangles the name of a symbol * * Params: * sym = symbol to mangle * dont_use_back_reference = dont use back referencing */ void mangleName(Dsymbol sym, bool dont_use_back_reference) { //printf("mangleName('%s')\n", sym.toChars()); bool is_dmc_template = false; if (string s = mangleSpecialName(sym)) { buf.writestring(s); return; } void writeName(Identifier name) { assert(name); if (!is_dmc_template && dont_use_back_reference) saveIdent(name); else if (checkAndSaveIdent(name)) return; buf.writestring(name.toString()); buf.writeByte('@'); } auto ti = sym.isTemplateInstance(); if (!ti) { if (auto ag = sym.isAggregateDeclaration()) { if (ag.pMangleOverride) { writeName(ag.pMangleOverride.id); return; } } writeName(sym.ident); return; } auto id = ti.tempdecl.ident; auto symName = id.toString(); int firstTemplateArg = 0; // test for special symbols if (mangleOperator(ti,symName,firstTemplateArg)) return; TemplateInstance actualti = ti; bool needNamespaces; if (auto ag = ti.aliasdecl ? ti.aliasdecl.isAggregateDeclaration() : null) { if (ag.pMangleOverride) { if (ag.pMangleOverride.agg) { if (auto aggti = ag.pMangleOverride.agg.isInstantiated()) actualti = aggti; else { writeName(ag.pMangleOverride.id); if (sym.parent && !sym.parent.needThis()) for (auto ns = ag.pMangleOverride.agg.toAlias().cppnamespace; ns !is null && ns.ident !is null; ns = ns.cppnamespace) writeName(ns.ident); return; } id = ag.pMangleOverride.id; symName = id.toString(); needNamespaces = true; } else { writeName(ag.pMangleOverride.id); for (auto ns = ti.toAlias().cppnamespace; ns !is null && ns.ident !is null; ns = ns.cppnamespace) writeName(ns.ident); return; } } } scope VisualCPPMangler tmp = new VisualCPPMangler((flags & IS_DMC) ? true : false, loc); tmp.buf.writeByte('?'); tmp.buf.writeByte('$'); tmp.buf.writestring(symName); tmp.saved_idents[0] = id; if (symName == id.toString()) tmp.buf.writeByte('@'); if (flags & IS_DMC) { tmp.mangleIdent(sym.parent, true); is_dmc_template = true; } bool is_var_arg = false; for (size_t i = firstTemplateArg; i < actualti.tiargs.length; i++) { RootObject o = (*actualti.tiargs)[i]; TemplateParameter tp = null; TemplateValueParameter tv = null; TemplateTupleParameter tt = null; if (!is_var_arg) { TemplateDeclaration td = actualti.tempdecl.isTemplateDeclaration(); assert(td); tp = (*td.parameters)[i]; tv = tp.isTemplateValueParameter(); tt = tp.isTemplateTupleParameter(); } if (tt) { is_var_arg = true; tp = null; } if (tv) { tmp.mangleTemplateValue(o, tv, actualti, is_dmc_template); } else if (!tp || tp.isTemplateTypeParameter()) { tmp.mangleTemplateType(o); } else if (tp.isTemplateAliasParameter()) { tmp.mangleTemplateAlias(o, actualti); } else { sym.error("internal compiler error: C++ templates support only integral value, type parameters, alias templates and alias function parameters"); fatal(); } } writeName(Identifier.idPool(tmp.buf.extractSlice())); if (needNamespaces && actualti != ti) { for (auto ns = ti.toAlias().cppnamespace; ns !is null && ns.ident !is null; ns = ns.cppnamespace) writeName(ns.ident); } } // returns true if name already saved bool checkAndSaveIdent(Identifier name) { foreach (i; 0 .. VC_SAVED_IDENT_CNT) { if (!saved_idents[i]) // no saved same name { saved_idents[i] = name; break; } if (saved_idents[i] == name) // ok, we've found same name. use index instead of name { buf.writeByte(i + '0'); return true; } } return false; } void saveIdent(Identifier name) { foreach (i; 0 .. VC_SAVED_IDENT_CNT) { if (!saved_idents[i]) // no saved same name { saved_idents[i] = name; break; } if (saved_idents[i] == name) // ok, we've found same name. use index instead of name { return; } } } void mangleIdent(Dsymbol sym, bool dont_use_back_reference = false) { // <qualified name> ::= <sub-name list> @ // <sub-name list> ::= <sub-name> <name parts> // ::= <sub-name> // <sub-name> ::= <identifier> @ // ::= ?$ <identifier> @ <template args> @ // :: <back reference> // <back reference> ::= 0-9 // <template args> ::= <template arg> <template args> // ::= <template arg> // <template arg> ::= <type> // ::= $0<encoded integral number> //printf("mangleIdent('%s')\n", sym.toChars()); Dsymbol p = sym; if (p.toParent() && p.toParent().isTemplateInstance()) { p = p.toParent(); } while (p && !p.isModule()) { mangleName(p, dont_use_back_reference); // Mangle our string namespaces as well for (auto ns = p.cppnamespace; ns !is null && ns.ident !is null; ns = ns.cppnamespace) mangleName(ns, dont_use_back_reference); p = p.toParent(); if (p.toParent() && p.toParent().isTemplateInstance()) { p = p.toParent(); } } if (!dont_use_back_reference) buf.writeByte('@'); } void mangleNumber(dinteger_t num) { if (!num) // 0 encoded as "A@" { buf.writeByte('A'); buf.writeByte('@'); return; } if (num <= 10) // 5 encoded as "4" { buf.writeByte(cast(char)(num - 1 + '0')); return; } char[17] buff; buff[16] = 0; size_t i = 16; while (num) { --i; buff[i] = num % 16 + 'A'; num /= 16; } buf.writestring(&buff[i]); buf.writeByte('@'); } bool checkTypeSaved(Type type) { if (flags & IS_NOT_TOP_TYPE) return false; if (flags & MANGLE_RETURN_TYPE) return false; for (uint i = 0; i < VC_SAVED_TYPE_CNT; i++) { if (!saved_types[i]) // no saved same type { saved_types[i] = type; return false; } if (saved_types[i].equals(type)) // ok, we've found same type. use index instead of type { buf.writeByte(i + '0'); flags &= ~IS_NOT_TOP_TYPE; flags &= ~IGNORE_CONST; return true; } } return false; } void mangleModifier(Type type) { if (flags & IGNORE_CONST) return; if (checkImmutableShared(type, loc)) return; if (type.isConst()) { // Template parameters that are not pointers and are const need an $$C escape // in addition to 'B' (const). if ((flags & ESCAPE) && type.ty != Tpointer) buf.writestring("$$CB"); else if (flags & IS_NOT_TOP_TYPE) buf.writeByte('B'); // const else if ((flags & IS_DMC) && type.ty != Tpointer) buf.writestring("_O"); } else if (flags & IS_NOT_TOP_TYPE) buf.writeByte('A'); // mutable flags &= ~ESCAPE; } void mangleArray(TypeSArray type) { mangleModifier(type); size_t i = 0; Type cur = type; while (cur && cur.ty == Tsarray) { i++; cur = cur.nextOf(); } buf.writeByte('Y'); mangleNumber(i); // count of dimensions cur = type; while (cur && cur.ty == Tsarray) // sizes of dimensions { TypeSArray sa = cast(TypeSArray)cur; mangleNumber(sa.dim ? sa.dim.toInteger() : 0); cur = cur.nextOf(); } flags |= IGNORE_CONST; cur.accept(this); } const(char)* mangleFunctionType(TypeFunction type, bool needthis = false, bool noreturn = false) { scope VisualCPPMangler tmp = new VisualCPPMangler(this); // Calling convention if (target.isLP64) // always Microsoft x64 calling convention { tmp.buf.writeByte('A'); } else { final switch (type.linkage) { case LINK.c: tmp.buf.writeByte('A'); break; case LINK.cpp: if (needthis && type.parameterList.varargs != VarArg.variadic) tmp.buf.writeByte('E'); // thiscall else tmp.buf.writeByte('A'); // cdecl break; case LINK.windows: tmp.buf.writeByte('G'); // stdcall break; case LINK.d: case LINK.default_: case LINK.objc: tmp.visit(cast(Type)type); break; case LINK.system: assert(0); } } tmp.flags &= ~IS_NOT_TOP_TYPE; if (noreturn) { tmp.buf.writeByte('@'); } else { Type rettype = type.next; if (type.isref) rettype = rettype.referenceTo(); flags &= ~IGNORE_CONST; if (rettype.ty == Tstruct) { tmp.buf.writeByte('?'); tmp.buf.writeByte('A'); } else if (rettype.ty == Tenum) { const id = rettype.toDsymbol(null).ident; if (!isSpecialEnumIdent(id)) { tmp.buf.writeByte('?'); tmp.buf.writeByte('A'); } } tmp.flags |= MANGLE_RETURN_TYPE; rettype.accept(tmp); tmp.flags &= ~MANGLE_RETURN_TYPE; } if (!type.parameterList.parameters || !type.parameterList.parameters.length) { if (type.parameterList.varargs == VarArg.variadic) tmp.buf.writeByte('Z'); else tmp.buf.writeByte('X'); } else { foreach (n, p; type.parameterList) { Type t = p.type.merge2(); if (p.isReference()) t = t.referenceTo(); else if (p.isLazy()) { // Mangle as delegate auto tf = new TypeFunction(ParameterList(), t, LINK.d); auto td = new TypeDelegate(tf); t = td.merge(); } else if (Type cpptype = target.cpp.parameterType(t)) t = cpptype; if (t.ty == Tsarray) { error(loc, "internal compiler error: unable to pass static array to `extern(C++)` function."); errorSupplemental(loc, "Use pointer instead."); assert(0); } tmp.flags &= ~IS_NOT_TOP_TYPE; tmp.flags &= ~IGNORE_CONST; t.accept(tmp); } if (type.parameterList.varargs == VarArg.variadic) { tmp.buf.writeByte('Z'); } else { tmp.buf.writeByte('@'); } } tmp.buf.writeByte('Z'); const(char)* ret = tmp.buf.extractChars(); saved_idents[] = tmp.saved_idents[]; saved_types[] = tmp.saved_types[]; return ret; } }
D
module siryul.dyaml; import dyaml; import siryul.common; import core.time : Duration; import std.datetime.systime : SysTime; import std.range.primitives : ElementType, isInfinite, isInputRange; import std.traits : isSomeChar; import std.typecons; /++ + YAML (YAML Ain't Markup Language) serialization format +/ struct YAML { package static T parseInput(T, DeSiryulize flags, U)(U data, string filename) if (isInputRange!U && isSomeChar!(ElementType!U)) { import std.conv : to; import std.format : format; import std.utf : byChar; auto str = data.byChar.to!(char[]); auto loader = Loader.fromString(str); loader.name = filename; try { T result; deserialize(Node(loader.load()), result, BitFlags!DeSiryulize(flags)); return result; } catch (MarkedYAMLException e) { throw new DeserializeException(convertMark(e.mark), format!"Parsing error: %s"(e.msg)); } } package static string asString(Siryulize flags, T)(T data) { import std.array : appender; auto buf = appender!string; auto dumper = dumper(); dumper.defaultCollectionStyle = CollectionStyle.block; dumper.defaultScalarStyle = ScalarStyle.plain; dumper.explicitStart = false; dumper.dump(buf, serialize!(Node)(data, BitFlags!Siryulize(flags)).node); return buf.data; } static private siryul.common.Mark convertMark(dyaml.Mark dyamlMark) @safe pure nothrow @nogc { siryul.common.Mark mark; with (mark) { filename = dyamlMark.name; line = dyamlMark.line; column = dyamlMark.column; } return mark; } static struct Node { private dyaml.Node node = dyaml.Node(YAMLNull()); this(T)(T value) if (canStoreUnchanged!T) { this.node = dyaml.Node(value); } this(Node[] newNodes) @safe pure { dyaml.Node[] nodes; nodes.reserve(newNodes.length); foreach (newNode; newNodes) { nodes ~= newNode.node; } this.node = dyaml.Node(nodes); } this(Node[string] newNodes) @safe pure { dyaml.Node[dyaml.Node] nodes; foreach (newKey, newNode; newNodes) { nodes[dyaml.Node(newKey)] = newNode.node; } this.node = dyaml.Node(nodes); } private this(dyaml.Node node) @safe pure nothrow @nogc { this.node = node; } Nullable!(siryul.common.Mark) getMark() const @safe pure nothrow { return typeof(return)(convertMark(node.startMark)); } bool hasTypeConvertible(T)() const { static if (is(T == typeof(null))) { return node.type == NodeType.null_; } else static if (is(T : Duration)) { return false; } else { return node.tag == expectedTag!T; } } T getType(T)() { static if (is(T == typeof(null))) { return node.type == NodeType.null_; } else static if (is(T: const(char)[])) { return node.get!string; } else static if (is(T : bool)) { return node.get!bool; } else static if (is(T == ulong)) { return node.get!ulong; } else static if (is(T == long)) { return node.get!long; } else static if (is(T : real)) { return node.get!real; } else static if (is(T : SysTime)) { return node.get!SysTime; } else { assert(0, "Cannot represent type"); } } bool hasClass(Classification c) const @safe pure { final switch (c) { case Classification.scalar: return node.nodeID == NodeID.scalar; case Classification.sequence: return node.nodeID == NodeID.sequence; case Classification.mapping: return node.nodeID == NodeID.mapping; } } Node opIndex(size_t index) @safe { return Node(node[index]); } Node opIndex(string index) @safe { return Node(node[index]); } size_t length() const @safe { return node.length; } bool opBinaryRight(string op : "in")(string key) { return !!(key in node); } int opApply(scope int delegate(string k, Node v) @safe dg) @safe { foreach (dyaml.Node k, dyaml.Node v; node) { const result = dg(k.get!string, Node(v)); if (result != 0) { return result; } } return 0; } string type() const @safe { final switch (node.type) { case NodeType.null_: case NodeType.invalid: case NodeType.merge: return "null"; case NodeType.boolean: return "bool"; case NodeType.integer: return "long"; case NodeType.decimal: return "real"; case NodeType.timestamp: return "SysTime"; case NodeType.string: return "string"; case NodeType.binary: return "ubyte[]"; case NodeType.mapping: return "Node[Node]"; case NodeType.sequence: return "Node[]"; } } template canStoreUnchanged(T) { import std.traits : isFloatingPoint, isIntegral; enum canStoreUnchanged = !is(T == enum) && (isIntegral!T || is(T : bool) || isFloatingPoint!T || is(T == string)); } enum hasStringIndexing = false; } } private template expectedTag(T) { import std.traits : isFloatingPoint, isIntegral; static if(isIntegral!T) { enum expectedTag = `tag:yaml.org,2002:int`; } static if(is(T == bool)) { enum expectedTag = `tag:yaml.org,2002:bool`; } static if(isFloatingPoint!T) { enum expectedTag = `tag:yaml.org,2002:float`; } static if(is(T : const(char)[])) { enum expectedTag = `tag:yaml.org,2002:str`; } static if(is(T == SysTime)) { enum expectedTag = `tag:yaml.org,2002:timestamp`; } } @safe unittest { import siryul.testing; runTests!YAML(); }
D
/Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Pods.build/Debug-iphonesimulator/Macaw.build/Objects-normal/x86_64/AlphaEffect.o : /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/export/MacawView+PDF.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFillMode_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFunctionName_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/MDisplayLink_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineJoin_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/MBezierPath+Extension_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/Common_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineCap_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/Graphics_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/MView_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFillMode_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFunctionName_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/MDisplayLink_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineJoin_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/Common_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineCap_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/Graphics_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/MView_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Arc.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/AnimationSequence.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Node.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Image.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/UIImage2Image.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/Cache/AnimationCache.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Stroke.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/Touchable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/Cache/NodeHashable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/Cache/TransformHashable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/bindings/Variable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimatableVariable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/Interpolable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/bindings/Disposable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/bindings/GroupDisposable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Drawable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/thirdparty/CGFloat+Double.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Circle.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Line.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Baseline.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Polyline.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Shape.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/PathSegmentType.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/thirdparty/NSTimer+Closure.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/thirdparty/CAAnimationClosure.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Ellipse.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Size.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/Easing.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Path.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/MDisplayLink.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Fill.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimationImpl.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/MacawZoom.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Transform.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Align.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/LineJoin.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Polygon.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/StrokeInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/DoubleInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/ShapeInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/FillInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/TransformInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/ContentsInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/LocusInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/Animation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/CombineAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/ShapeAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/MorphingAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/TransformAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/ContentsAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/OpacityAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/TimingFunction.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Pattern.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/MoveTo.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/AspectRatio.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/LineCap.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Stop.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Group.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimationProducer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/PathBuilder.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/NodeRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/ImageRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/ShapeRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/GroupRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/TextRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGParser.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/CSSParser.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/ShapeLayer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGSerializer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Color.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGParserError.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/MorphingGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/TransformGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/ShapeAnimationGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/CombinationAnimationGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/OpacityGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/GaussianBlur.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGCanvas.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/FuncBounds.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/PathBounds.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/CGMappings.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/SceneUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/GeomUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimationUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/RenderUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/BoundsUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/DescriptionExtensions.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/PathFunctions.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/AnimOperators.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Insets.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGConstants.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Locus.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/TransformedLocus.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Rect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/RoundRect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Effect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/AlphaEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/BlendEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/OffsetEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/ColorMatrixEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Gradient.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/RadialGradient.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/LinearGradient.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/PathSegment.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/Event.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/RotateEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/PinchEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/TouchEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/PanEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/TapEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Point.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Font.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGNodeLayout.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/layout/ContentLayout.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Text.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/RenderContext.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGView.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/MacawView.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/ColorMatrix.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Debug-iphonesimulator/SWXMLHash/SWXMLHash.framework/Modules/SWXMLHash.swiftmodule/x86_64.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/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/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Target\ Support\ Files/SWXMLHash/SWXMLHash-umbrella.h /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Target\ Support\ Files/Macaw/Macaw-umbrella.h /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Debug-iphonesimulator/SWXMLHash/SWXMLHash.framework/Headers/SWXMLHash-Swift.h /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Pods.build/Debug-iphonesimulator/Macaw.build/unextended-module.modulemap /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Pods.build/Debug-iphonesimulator/SWXMLHash.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/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Pods.build/Debug-iphonesimulator/Macaw.build/Objects-normal/x86_64/AlphaEffect~partial.swiftmodule : /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/export/MacawView+PDF.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFillMode_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFunctionName_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/MDisplayLink_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineJoin_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/MBezierPath+Extension_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/Common_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineCap_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/Graphics_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/MView_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFillMode_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFunctionName_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/MDisplayLink_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineJoin_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/Common_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineCap_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/Graphics_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/MView_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Arc.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/AnimationSequence.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Node.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Image.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/UIImage2Image.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/Cache/AnimationCache.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Stroke.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/Touchable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/Cache/NodeHashable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/Cache/TransformHashable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/bindings/Variable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimatableVariable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/Interpolable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/bindings/Disposable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/bindings/GroupDisposable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Drawable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/thirdparty/CGFloat+Double.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Circle.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Line.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Baseline.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Polyline.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Shape.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/PathSegmentType.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/thirdparty/NSTimer+Closure.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/thirdparty/CAAnimationClosure.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Ellipse.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Size.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/Easing.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Path.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/MDisplayLink.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Fill.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimationImpl.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/MacawZoom.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Transform.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Align.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/LineJoin.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Polygon.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/StrokeInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/DoubleInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/ShapeInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/FillInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/TransformInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/ContentsInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/LocusInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/Animation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/CombineAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/ShapeAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/MorphingAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/TransformAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/ContentsAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/OpacityAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/TimingFunction.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Pattern.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/MoveTo.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/AspectRatio.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/LineCap.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Stop.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Group.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimationProducer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/PathBuilder.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/NodeRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/ImageRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/ShapeRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/GroupRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/TextRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGParser.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/CSSParser.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/ShapeLayer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGSerializer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Color.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGParserError.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/MorphingGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/TransformGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/ShapeAnimationGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/CombinationAnimationGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/OpacityGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/GaussianBlur.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGCanvas.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/FuncBounds.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/PathBounds.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/CGMappings.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/SceneUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/GeomUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimationUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/RenderUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/BoundsUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/DescriptionExtensions.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/PathFunctions.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/AnimOperators.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Insets.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGConstants.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Locus.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/TransformedLocus.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Rect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/RoundRect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Effect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/AlphaEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/BlendEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/OffsetEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/ColorMatrixEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Gradient.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/RadialGradient.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/LinearGradient.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/PathSegment.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/Event.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/RotateEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/PinchEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/TouchEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/PanEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/TapEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Point.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Font.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGNodeLayout.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/layout/ContentLayout.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Text.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/RenderContext.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGView.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/MacawView.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/ColorMatrix.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Debug-iphonesimulator/SWXMLHash/SWXMLHash.framework/Modules/SWXMLHash.swiftmodule/x86_64.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/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/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Target\ Support\ Files/SWXMLHash/SWXMLHash-umbrella.h /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Target\ Support\ Files/Macaw/Macaw-umbrella.h /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Debug-iphonesimulator/SWXMLHash/SWXMLHash.framework/Headers/SWXMLHash-Swift.h /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Pods.build/Debug-iphonesimulator/Macaw.build/unextended-module.modulemap /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Pods.build/Debug-iphonesimulator/SWXMLHash.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/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Pods.build/Debug-iphonesimulator/Macaw.build/Objects-normal/x86_64/AlphaEffect~partial.swiftdoc : /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/export/MacawView+PDF.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFillMode_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFunctionName_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/MDisplayLink_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineJoin_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/MBezierPath+Extension_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/Common_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineCap_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/Graphics_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/macOS/MView_macOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFillMode_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAMediaTimingFunctionName_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/MDisplayLink_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineJoin_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/Common_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/MCAShapeLayerLineCap_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/Graphics_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/iOS/MView_iOS.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Arc.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/AnimationSequence.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Node.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Image.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/UIImage2Image.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/Cache/AnimationCache.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Stroke.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/Touchable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/Cache/NodeHashable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/Cache/TransformHashable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/bindings/Variable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimatableVariable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/Interpolable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/bindings/Disposable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/bindings/GroupDisposable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Drawable.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/thirdparty/CGFloat+Double.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Circle.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Line.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Baseline.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Polyline.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Shape.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/PathSegmentType.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/thirdparty/NSTimer+Closure.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/thirdparty/CAAnimationClosure.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Ellipse.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Size.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/Easing.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Path.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/platform/MDisplayLink.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Fill.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimationImpl.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/MacawZoom.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Transform.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Align.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/LineJoin.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Polygon.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/StrokeInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/DoubleInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/ShapeInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/FillInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/TransformInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/ContentsInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/LocusInterpolation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/Animation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/CombineAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/ShapeAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/MorphingAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/TransformAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/ContentsAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/OpacityAnimation.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/TimingFunction.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Pattern.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/MoveTo.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/AspectRatio.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/LineCap.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Stop.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Group.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimationProducer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/PathBuilder.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/NodeRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/ImageRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/ShapeRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/GroupRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/TextRenderer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGParser.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/CSSParser.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/ShapeLayer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGSerializer.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Color.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGParserError.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/MorphingGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/TransformGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/ShapeAnimationGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/CombinationAnimationGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/types/animation_generators/OpacityGenerator.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/GaussianBlur.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGCanvas.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/FuncBounds.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/PathBounds.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/CGMappings.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/SceneUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/GeomUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/AnimationUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/RenderUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/BoundsUtils.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/utils/DescriptionExtensions.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/PathFunctions.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/animation/layer_animation/Extensions/AnimOperators.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Insets.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGConstants.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Locus.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/TransformedLocus.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Rect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/RoundRect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Effect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/AlphaEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/BlendEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/OffsetEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/ColorMatrixEffect.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Gradient.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/RadialGradient.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/LinearGradient.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/PathSegment.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/Event.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/RotateEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/PinchEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/TouchEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/PanEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/events/TapEvent.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/geom2d/Point.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/Font.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGNodeLayout.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/layout/ContentLayout.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/scene/Text.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/render/RenderContext.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/svg/SVGView.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/views/MacawView.swift /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Macaw/Source/model/draw/ColorMatrix.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Debug-iphonesimulator/SWXMLHash/SWXMLHash.framework/Modules/SWXMLHash.swiftmodule/x86_64.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/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/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Target\ Support\ Files/SWXMLHash/SWXMLHash-umbrella.h /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/Pods/Target\ Support\ Files/Macaw/Macaw-umbrella.h /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Debug-iphonesimulator/SWXMLHash/SWXMLHash.framework/Headers/SWXMLHash-Swift.h /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Pods.build/Debug-iphonesimulator/Macaw.build/unextended-module.modulemap /Users/mac/Documents/Bhupendra/RedialAnimateMenuBar/build/Pods.build/Debug-iphonesimulator/SWXMLHash.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
module director.route; interface Route { bool matches(string pattern, out string[string] matched_params); debug string pattern() @property; } // removes the trailing slash from a pattern package string normalize(string pattern) { if(pattern.length > 1 && pattern[$-1] == '/') { return pattern[0..$-1]; } return pattern; }
D
module server; import vibe.d; import std.conv; import std.process; import config; import api; class Server { HTTPServerSettings m_Settings; URLRouter m_Router; this() { /************************ * SERVER SETTINGS *************************/ m_Settings = new HTTPServerSettings; m_Settings.port = config.Config.Get!ushort("WebServer","Port"); /************************ * ROUTERS *************************/ m_Router = new URLRouter; registerRestInterface(m_Router, API.Get(), "/api/"); m_Router .get("/", serveStaticFile("web_root/index.html")) .get("*", serveStaticFiles("web_root/")); } /* * Start server */ void start() { listenHTTP(m_Settings, m_Router); } }
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="DataManagement.profile.notation#_JTpRULM-EeOdi5HbWlAkiw"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="DataManagement.profile.notation#_JTpRULM-EeOdi5HbWlAkiw"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
/** * D header file for interaction with Microsoft C++ <xutility> * * Copyright: Copyright (c) 2018 D Language Foundation * License: Distributed under the * $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0). * (See accompanying file LICENSE) * Authors: Manu Evans * Source: $(DRUNTIMESRC core/stdcpp/xutility.d) */ module core.experimental.stdcpp.xutility; @nogc: enum CppStdRevision : uint { cpp98 = 199711, cpp11 = 201103, cpp14 = 201402, cpp17 = 201703 } enum __cplusplus = __traits(getTargetInfo, "cppStd"); // wrangle C++ features enum __cpp_sized_deallocation = __cplusplus >= CppStdRevision.cpp14 ? 201309 : 0; enum __cpp_aligned_new = __cplusplus >= CppStdRevision.cpp17 ? 201606 : 0; version (CppRuntime_Microsoft) { import core.experimental.stdcpp.type_traits : is_empty; // Client code can mixin the set of MSVC linker directives mixin template MSVCLinkDirectives(bool failMismatch = false) { import core.experimental.stdcpp.xutility : __CXXLIB__, _ITERATOR_DEBUG_LEVEL; static if (__CXXLIB__ == "libcmtd") { pragma(lib, "libcpmtd"); static if (failMismatch) pragma(linkerDirective, "/FAILIFMISMATCH:RuntimeLibrary=MTd_StaticDebug"); } else static if (__CXXLIB__ == "msvcrtd") { pragma(lib, "msvcprtd"); static if (failMismatch) pragma(linkerDirective, "/FAILIFMISMATCH:RuntimeLibrary=MDd_DynamicDebug"); } else static if (__CXXLIB__ == "libcmt") { pragma(lib, "libcpmt"); static if (failMismatch) pragma(linkerDirective, "/FAILIFMISMATCH:RuntimeLibrary=MT_StaticRelease"); } else static if (__CXXLIB__ == "msvcrt") { pragma(lib, "msvcprt"); static if (failMismatch) pragma(linkerDirective, "/FAILIFMISMATCH:RuntimeLibrary=MD_DynamicRelease"); } static if (failMismatch) pragma(linkerDirective, "/FAILIFMISMATCH:_ITERATOR_DEBUG_LEVEL=" ~ ('0' + _ITERATOR_DEBUG_LEVEL)); } // HACK: should we guess _DEBUG for `debug` builds? version (NDEBUG) {} else debug version = _DEBUG; // By specific user request version (_ITERATOR_DEBUG_LEVEL_0) enum _ITERATOR_DEBUG_LEVEL = 0; else version (_ITERATOR_DEBUG_LEVEL_1) enum _ITERATOR_DEBUG_LEVEL = 1; else version (_ITERATOR_DEBUG_LEVEL_2) enum _ITERATOR_DEBUG_LEVEL = 2; else { // Match the C Runtime static if (__CXXLIB__ == "libcmtd" || __CXXLIB__ == "msvcrtd") enum _ITERATOR_DEBUG_LEVEL = 2; else static if (__CXXLIB__ == "libcmt" || __CXXLIB__ == "msvcrt" || __CXXLIB__ == "msvcrt100") enum _ITERATOR_DEBUG_LEVEL = 0; else { static if (__CXXLIB__.length > 0) pragma(msg, "Unrecognised C++ runtime library '" ~ __CXXLIB__ ~ "'"); // No runtime specified; as a best-guess, -release will produce code that matches the MSVC release CRT version (_DEBUG) enum _ITERATOR_DEBUG_LEVEL = 2; else enum _ITERATOR_DEBUG_LEVEL = 0; } } // convenient alias for the C++ std library name enum __CXXLIB__ = __traits(getTargetInfo, "cppRuntimeLibrary"); extern(C++, "std"): package: enum _LOCK_DEBUG = 3; extern(C++, class) struct _Lockit { this(int) nothrow @nogc @safe; ~this() nothrow @nogc @safe; private: int _Locktype; } struct _Container_base0 { extern(D): void _Orphan_all() nothrow @nogc @safe {} void _Swap_all(ref _Container_base0) nothrow @nogc @safe {} } struct _Iterator_base0 { extern(D): void _Adopt(const(void)*) nothrow @nogc @safe {} const(_Container_base0)* _Getcont() const nothrow @nogc @safe { return null; } enum bool _Unwrap_when_unverified = true; } struct _Container_proxy { const(_Container_base12)* _Mycont; _Iterator_base12* _Myfirstiter; } struct _Container_base12 { extern(D): inout(_Iterator_base12*)*_Getpfirst() inout nothrow @nogc @safe { return _Myproxy == null ? null : &_Myproxy._Myfirstiter; } void _Orphan_all() nothrow @nogc @safe { static if (_ITERATOR_DEBUG_LEVEL == 2) { if (_Myproxy != null) { auto _Lock = _Lockit(_LOCK_DEBUG); for (_Iterator_base12 **_Pnext = &_Myproxy._Myfirstiter; *_Pnext != null; *_Pnext = (*_Pnext)._Mynextiter) (*_Pnext)._Myproxy = null; _Myproxy._Myfirstiter = null; } } } // void _Swap_all(ref _Container_base12) nothrow @nogc; _Container_proxy* _Myproxy; } struct _Iterator_base12 { extern(D): void _Adopt(_Container_base12 *_Parent) nothrow @nogc @safe { if (_Parent == null) { static if (_ITERATOR_DEBUG_LEVEL == 2) { auto _Lock = _Lockit(_LOCK_DEBUG); _Orphan_me(); } } else { _Container_proxy *_Parent_proxy = _Parent._Myproxy; static if (_ITERATOR_DEBUG_LEVEL == 2) { if (_Myproxy != _Parent_proxy) { auto _Lock = _Lockit(_LOCK_DEBUG); _Orphan_me(); _Mynextiter = _Parent_proxy._Myfirstiter; _Parent_proxy._Myfirstiter = &this; _Myproxy = _Parent_proxy; } } else _Myproxy = _Parent_proxy; } } void _Clrcont() nothrow @nogc @safe { _Myproxy = null; } const(_Container_base12)* _Getcont() const nothrow @nogc @safe { return _Myproxy == null ? null : _Myproxy._Mycont; } inout(_Iterator_base12*)*_Getpnext() inout nothrow @nogc @safe { return &_Mynextiter; } void _Orphan_me() nothrow @nogc @safe { static if (_ITERATOR_DEBUG_LEVEL == 2) { if (_Myproxy != null) { _Iterator_base12 **_Pnext = &_Myproxy._Myfirstiter; while (*_Pnext != null && *_Pnext != &this) _Pnext = &(*_Pnext)._Mynextiter; assert(*_Pnext, "ITERATOR LIST CORRUPTED!"); *_Pnext = _Mynextiter; _Myproxy = null; } } } enum bool _Unwrap_when_unverified = _ITERATOR_DEBUG_LEVEL == 0; _Container_proxy *_Myproxy; _Iterator_base12 *_Mynextiter; } static if (_ITERATOR_DEBUG_LEVEL == 0) { alias _Container_base = _Container_base0; alias _Iterator_base = _Iterator_base0; } else { alias _Container_base = _Container_base12; alias _Iterator_base = _Iterator_base12; } extern (C++, class) struct _Compressed_pair(_Ty1, _Ty2, bool Ty1Empty = is_empty!_Ty1.value) { pragma (inline, true): extern(D): pure nothrow @nogc: enum _HasFirst = !Ty1Empty; ref inout(_Ty1) first() inout @safe { return _Myval1; } ref inout(_Ty2) second() inout @safe { return _Myval2; } static if (!Ty1Empty) _Ty1 _Myval1; else { @property ref inout(_Ty1) _Myval1() inout @trusted { return *_GetBase(); } private inout(_Ty1)* _GetBase() inout @trusted { return cast(inout(_Ty1)*)&this; } } _Ty2 _Myval2; } // these are all [[noreturn]] void _Xbad() nothrow; void _Xinvalid_argument(const(char)* message) nothrow; void _Xlength_error(const(char)* message) nothrow; void _Xout_of_range(const(char)* message) nothrow; void _Xoverflow_error(const(char)* message) nothrow; void _Xruntime_error(const(char)* message) nothrow; } else version (CppRuntime_Clang) { import core.experimental.stdcpp.type_traits : is_empty; extern(C++, "std"): extern (C++, class) struct __compressed_pair(_T1, _T2) { pragma (inline, true): extern(D): enum Ty1Empty = is_empty!_T1.value; enum Ty2Empty = is_empty!_T2.value; ref inout(_T1) first() inout nothrow @safe @nogc { return __value1_; } ref inout(_T2) second() inout nothrow @safe @nogc { return __value2_; } private: private inout(_T1)* __get_base1() inout { return cast(inout(_T1)*)&this; } private inout(_T2)* __get_base2() inout { return cast(inout(_T2)*)&__get_base1()[Ty1Empty ? 0 : 1]; } static if (!Ty1Empty) _T1 __value1_; else @property ref inout(_T1) __value1_() inout nothrow @trusted @nogc { return *__get_base1(); } static if (!Ty2Empty) _T2 __value2_; else @property ref inout(_T2) __value2_() inout nothrow @trusted @nogc { return *__get_base2(); } } }
D
func void b_story_guruaufnahme() { var C_Npc guru_1; var C_Npc guru_2; var C_Npc guru_3; var C_Npc guru_4; var C_Npc guru_5; var C_Npc guru_6; if(yberion_guraufnahme == 4) { Npc_ExchangeRoutine(self,"RITUAL"); guru_1 = Hlp_GetNpc(GUR_1203_BaalTondral); AI_Teleport(guru_1,"GURU_RITUAL_01"); Npc_ExchangeRoutine(guru_1,"RITUAL"); AI_ContinueRoutine(guru_1); guru_2 = Hlp_GetNpc(GUR_1204_BaalNamib); AI_Teleport(guru_2,"GURU_RITUAL_02"); Npc_ExchangeRoutine(guru_2,"RITUAL"); AI_ContinueRoutine(guru_2); guru_3 = Hlp_GetNpc(GUR_1209_BaalOrun); AI_Teleport(guru_3,"GURU_RITUAL_03"); Npc_ExchangeRoutine(guru_3,"RITUAL"); AI_ContinueRoutine(guru_3); guru_4 = Hlp_GetNpc(GUR_1208_BaalCadar); AI_Teleport(guru_4,"GURU_RITUAL_04"); Npc_ExchangeRoutine(guru_4,"RITUAL"); AI_ContinueRoutine(guru_4); guru_5 = Hlp_GetNpc(GUR_1210_BaalTyon); AI_Teleport(guru_5,"GURU_RITUAL_05"); Npc_ExchangeRoutine(guru_5,"RITUAL"); AI_ContinueRoutine(guru_5); guru_6 = Hlp_GetNpc(gur_5021_baallukor); AI_Teleport(guru_6,"GURU_RITUAL_06"); Npc_ExchangeRoutine(guru_6,"RITUAL"); AI_ContinueRoutine(guru_6); } else if(yberion_guraufnahme == 5) { guru_1 = Hlp_GetNpc(GUR_1203_BaalTondral); AI_AlignToWP(guru_1); AI_PlayAniBS(guru_1,"T_STAND_2_PRAY",BS_SIT); guru_2 = Hlp_GetNpc(GUR_1204_BaalNamib); AI_AlignToWP(guru_2); AI_PlayAniBS(guru_2,"T_STAND_2_PRAY",BS_SIT); guru_3 = Hlp_GetNpc(GUR_1209_BaalOrun); AI_AlignToWP(guru_3); AI_PlayAniBS(guru_3,"T_STAND_2_PRAY",BS_SIT); guru_4 = Hlp_GetNpc(GUR_1208_BaalCadar); AI_AlignToWP(guru_4); AI_PlayAniBS(guru_4,"T_STAND_2_PRAY",BS_SIT); guru_5 = Hlp_GetNpc(GUR_1210_BaalTyon); AI_AlignToWP(guru_5); AI_PlayAniBS(guru_5,"T_STAND_2_PRAY",BS_SIT); guru_6 = Hlp_GetNpc(gur_5021_baallukor); AI_AlignToWP(guru_6); AI_PlayAniBS(guru_6,"T_STAND_2_PRAY",BS_SIT); } else if(yberion_guraufnahme == 6) { Npc_ExchangeRoutine(self,"START"); guru_1 = Hlp_GetNpc(GUR_1203_BaalTondral); AI_PlayAniBS(guru_1,"T_PRAY_2_STAND",BS_STAND); Npc_ExchangeRoutine(guru_1,"START"); guru_2 = Hlp_GetNpc(GUR_1204_BaalNamib); AI_PlayAniBS(guru_2,"T_PRAY_2_STAND",BS_STAND); Npc_ExchangeRoutine(guru_2,"START"); guru_3 = Hlp_GetNpc(GUR_1209_BaalOrun); AI_PlayAniBS(guru_3,"T_PRAY_2_STAND",BS_STAND); Npc_ExchangeRoutine(guru_3,"START"); guru_4 = Hlp_GetNpc(GUR_1208_BaalCadar); AI_PlayAniBS(guru_4,"T_PRAY_2_STAND",BS_STAND); Npc_ExchangeRoutine(guru_4,"START"); guru_5 = Hlp_GetNpc(GUR_1210_BaalTyon); AI_PlayAniBS(guru_5,"T_PRAY_2_STAND",BS_STAND); Npc_ExchangeRoutine(guru_5,"START"); guru_6 = Hlp_GetNpc(gur_5021_baallukor); AI_PlayAniBS(guru_6,"T_PRAY_2_STAND",BS_STAND); Npc_ExchangeRoutine(guru_6,"START"); }; };
D
/home/sen/rust/easy-fs-fuse/target/debug/deps/cfg_if-d081dc850664d3b7.rmeta: /home/sen/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/cfg-if-1.0.0/src/lib.rs /home/sen/rust/easy-fs-fuse/target/debug/deps/cfg_if-d081dc850664d3b7.d: /home/sen/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/cfg-if-1.0.0/src/lib.rs /home/sen/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/cfg-if-1.0.0/src/lib.rs:
D
/home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Vapor.build/Hash/Int+Random.swift.o : /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Message+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Response+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Body+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+FormData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/FormData+Polymorphic.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Command.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Log+Convenience.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Resource.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/HTTP+Node.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/AcceptLanguage.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cache/Config+Cache.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Configurable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSONRepresentable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/StringInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/RequestInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Vapor+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/MediaType.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Config+Middleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Date/DateMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/File+Response.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Resolve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Serve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/DumpConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Config+ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoEncoding.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Chaining.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Droplet+Routing.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Config+Log.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RoutesLog.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Config+Hash.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogLevel.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Config+Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/ProviderInstall.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/HashProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CipherProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Int+Random.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Version.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSConfiguration.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RouteCollection.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Subscription.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Run.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mailgun.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Config+Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Responder.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileManager.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/ConsoleLogger.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/Config+Cipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoCipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/CryptoHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/BCryptHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/StaticViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/EngineServer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/SecurityLayer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/AbortError.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider+Resources.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Directories.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Bytes.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/InitProtocols.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Sessions/Config+Sessions.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Responder+Helpers.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/WebSockets/WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Exports.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/EngineClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/FoundationClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Response+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Request+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Event.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/Accept.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+Multipart.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/Abort.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer+Request.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/Config+View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorView.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/URI.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/JSON.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/SMTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/HTTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/TLS.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/FormData.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/libc.swiftmodule /usr/lib/swift/linux/x86_64/Glibc.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Node.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cache.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/PathIndexable.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Console.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Core.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Debugging.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Routing.swiftmodule /usr/lib/swift/linux/x86_64/Dispatch.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Random.swiftmodule /usr/lib/swift/linux/x86_64/Foundation.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Crypto.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Branches.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cookies.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Configs.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sessions.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/WebSockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Bits.swiftmodule /usr/lib/swift/linux/x86_64/Swift.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/BCrypt.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Multipart.swiftmodule /usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Transport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/CHTTP/include/http_parser.h /usr/lib/swift/linux/x86_64/glibc.modulemap /home/albertfega/Desktop/LaSalleChat/.build/checkouts/ctls.git--2818177660473049491/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CHTTP.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CSQLite.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Vapor.build/Int+Random~partial.swiftmodule : /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Message+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Response+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Body+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+FormData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/FormData+Polymorphic.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Command.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Log+Convenience.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Resource.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/HTTP+Node.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/AcceptLanguage.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cache/Config+Cache.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Configurable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSONRepresentable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/StringInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/RequestInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Vapor+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/MediaType.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Config+Middleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Date/DateMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/File+Response.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Resolve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Serve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/DumpConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Config+ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoEncoding.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Chaining.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Droplet+Routing.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Config+Log.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RoutesLog.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Config+Hash.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogLevel.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Config+Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/ProviderInstall.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/HashProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CipherProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Int+Random.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Version.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSConfiguration.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RouteCollection.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Subscription.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Run.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mailgun.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Config+Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Responder.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileManager.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/ConsoleLogger.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/Config+Cipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoCipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/CryptoHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/BCryptHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/StaticViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/EngineServer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/SecurityLayer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/AbortError.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider+Resources.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Directories.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Bytes.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/InitProtocols.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Sessions/Config+Sessions.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Responder+Helpers.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/WebSockets/WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Exports.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/EngineClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/FoundationClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Response+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Request+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Event.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/Accept.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+Multipart.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/Abort.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer+Request.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/Config+View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorView.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/URI.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/JSON.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/SMTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/HTTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/TLS.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/FormData.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/libc.swiftmodule /usr/lib/swift/linux/x86_64/Glibc.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Node.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cache.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/PathIndexable.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Console.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Core.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Debugging.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Routing.swiftmodule /usr/lib/swift/linux/x86_64/Dispatch.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Random.swiftmodule /usr/lib/swift/linux/x86_64/Foundation.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Crypto.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Branches.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cookies.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Configs.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sessions.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/WebSockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Bits.swiftmodule /usr/lib/swift/linux/x86_64/Swift.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/BCrypt.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Multipart.swiftmodule /usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Transport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/CHTTP/include/http_parser.h /usr/lib/swift/linux/x86_64/glibc.modulemap /home/albertfega/Desktop/LaSalleChat/.build/checkouts/ctls.git--2818177660473049491/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CHTTP.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CSQLite.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Vapor.build/Int+Random~partial.swiftdoc : /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Message+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Response+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/HTTP/Body+JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSON.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+FormData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewData.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/FormData+Polymorphic.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Command.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Log+Convenience.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Resource.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/HTTP+Node.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/AcceptLanguage.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cache/Config+Cache.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Configurable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/JSON/JSONRepresentable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/StringInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/RequestInitializable.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Config+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Vapor+Console.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/MediaType.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Config+Middleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Date/DateMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorMiddleware.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/File+Response.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Resolve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Serve.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/DumpConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/Config+ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Serve/ServerConfig.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoEncoding.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Middleware/Chaining.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/Droplet+Routing.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/Config+Log.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RoutesLog.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Config+Hash.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogLevel.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Config+Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mail.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/ProviderInstall.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/LogProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/HashProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CipherProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/Int+Random.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Commands/Version.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/CORS/CORSConfiguration.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Routing/RouteCollection.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Subscription.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Run.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Mail/Mailgun.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Config+Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet+Responder.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/File/FileManager.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Log/ConsoleLogger.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/Config+Cipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Cipher/CryptoCipher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/CryptoHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Hash/BCryptHasher.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/StaticViewRenderer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/EngineServer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/SecurityLayer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/AbortError.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Provider/Provider+Resources.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Config/Directories.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Bytes.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/InitProtocols.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Sessions/Config+Sessions.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Responder+Helpers.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/WebSockets/WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Utilities/Exports.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Droplet/Droplet.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/EngineClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/FoundationClient.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Response+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Request+Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Content/Content.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Event/Event.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/HTTP/Accept.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Multipart/Request+Multipart.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/Abort.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/ViewRenderer+Request.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/Config+View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/View/View.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Error/ErrorView.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Server/ServerFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/vapor.git-5567719720411555524/Sources/Vapor/Engine/Client/ClientFactory.swift /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/URI.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/JSON.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/SMTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/HTTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/TLS.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/FormData.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/libc.swiftmodule /usr/lib/swift/linux/x86_64/Glibc.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Node.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cache.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/PathIndexable.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Console.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Core.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Debugging.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Routing.swiftmodule /usr/lib/swift/linux/x86_64/Dispatch.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Random.swiftmodule /usr/lib/swift/linux/x86_64/Foundation.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Crypto.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Branches.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Cookies.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Configs.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sessions.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/WebSockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Bits.swiftmodule /usr/lib/swift/linux/x86_64/Swift.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/BCrypt.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Multipart.swiftmodule /usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Transport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/CHTTP/include/http_parser.h /usr/lib/swift/linux/x86_64/glibc.modulemap /home/albertfega/Desktop/LaSalleChat/.build/checkouts/ctls.git--2818177660473049491/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CHTTP.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CSQLite.build/module.modulemap
D
instance VLK_449_Lares_DI(Npc_Default) { name[0] = "Lares"; guild = GIL_NONE; id = 4490; voice = 9; flags = 0; npcType = NPCTYPE_FRIEND; aivar[AIV_PARTYMEMBER] = TRUE; aivar[AIV_ToughGuy] = TRUE; aivar[AIV_ToughGuyNewsOverride] = TRUE; aivar[AIV_IgnoresFakeGuild] = TRUE; aivar[AIV_IgnoresArmor] = TRUE; B_SetAttributesToChapter(self,7); fight_tactic = FAI_HUMAN_STRONG; EquipItem(self,itmw_finebastard); B_CreateAmbientInv(self); B_SetNpcVisual(self,MALE,"Hum_Head_Thief",Face_N_Lares,BodyTex_N,itar_geralt_addon); Mdl_SetModelFatness(self,0); Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds"); B_GiveNpcTalents(self); B_SetFightSkills(self,65); daily_routine = Rtn_Start_4490; }; func void Rtn_Start_4490() { TA_Smalltalk(8,0,23,0,"SHIP_CREW_05"); TA_Smalltalk(23,0,8,0,"SHIP_CREW_05"); }; func void Rtn_SittingShipDI_4490() { TA_Sit_Bench(8,0,23,0,"SHIP_CREW_04"); TA_Sit_Bench(23,0,8,0,"SHIP_CREW_04"); };
D
void main() { debug { "==================================".writeln; while(true) { auto bench = benchmark!problem(1); "<<< Process time: %s >>>".writefln(bench[0]); "==================================".writeln; } } else { problem(); } } void problem() { auto S = scan; auto solve() { return [S[1], S[2], S[0]]; } static if (is(ReturnType!(solve) == void)) solve(); else solve().writeln; } // ---------------------------------------------- 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; T[][] combinations(T)(T[] s, in int 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); } ulong MOD = 10^^9 + 7; 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; } enum YESNO = [true: "Yes", false: "No"]; // -----------------------------------------------
D
someone whose occupation is catching fish large dark brown North American arboreal carnivorous mammal
D
/* * All content copyright Terracotta, Inc., unless otherwise indicated. All rights reserved. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy * of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations * under the License. * */ module hunt.quartz.TriggerListener; import hunt.quartz.JobExecutionContext; import hunt.quartz.Trigger; /** * The interface to be implemented by classes that want to be informed when a * <code>{@link Trigger}</code> fires. In general, applications that use a * <code>Scheduler</code> will not have use for this mechanism. * * @see ListenerManager#addTriggerListener(TriggerListener, Matcher) * @see Matcher * @see Trigger * @see JobListener * @see JobExecutionContext * * @author James House */ interface TriggerListener { /* * ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ * * Interface. * * ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ */ /** * <p> * Get the name of the <code>TriggerListener</code>. * </p> */ string getName(); /** * <p> * Called by the <code>{@link Scheduler}</code> when a <code>{@link Trigger}</code> * has fired, and it's associated <code>{@link hunt.quartz.JobDetail}</code> * is about to be executed. * </p> * * <p> * It is called before the <code>vetoJobExecution(..)</code> method of this * interface. * </p> * * @param trigger * The <code>Trigger</code> that has fired. * @param context * The <code>JobExecutionContext</code> that will be passed to * the <code>Job</code>'s!(code)execute(xx)</code> method. */ void triggerFired(Trigger trigger, JobExecutionContext context); /** * <p> * Called by the <code>{@link Scheduler}</code> when a <code>{@link Trigger}</code> * has fired, and it's associated <code>{@link hunt.quartz.JobDetail}</code> * is about to be executed. If the implementation vetos the execution (via * returning <code>true</code>), the job's execute method will not be called. * </p> * * <p> * It is called after the <code>triggerFired(..)</code> method of this * interface. * </p> * * @param trigger * The <code>Trigger</code> that has fired. * @param context * The <code>JobExecutionContext</code> that will be passed to * the <code>Job</code>'s!(code)execute(xx)</code> method. */ bool vetoJobExecution(Trigger trigger, JobExecutionContext context); /** * <p> * Called by the <code>{@link Scheduler}</code> when a <code>{@link Trigger}</code> * has misfired. * </p> * * <p> * Consideration should be given to how much time is spent in this method, * as it will affect all triggers that are misfiring. If you have lots * of triggers misfiring at once, it could be an issue it this method * does a lot. * </p> * * @param trigger * The <code>Trigger</code> that has misfired. */ void triggerMisfired(Trigger trigger); /** * <p> * Called by the <code>{@link Scheduler}</code> when a <code>{@link Trigger}</code> * has fired, it's associated <code>{@link hunt.quartz.JobDetail}</code> * has been executed, and it's <code>triggered(xx)</code> method has been * called. * </p> * * @param trigger * The <code>Trigger</code> that was fired. * @param context * The <code>JobExecutionContext</code> that was passed to the * <code>Job</code>'s!(code)execute(xx)</code> method. * @param triggerInstructionCode * the result of the call on the <code>Trigger</code>'s!(code)triggered(xx)</code> * method. */ void triggerComplete(Trigger trigger, JobExecutionContext context, CompletedExecutionInstruction triggerInstructionCode); }
D
<div class="about">   一年之后,人生没什么变化,网站也没什么变化。   只是原本到处借别人的二级域名来用,很不方便,所以现在换了 xwayx.com 域名。以后可以固定一段时间了,如果没其他意外的话。呵,希望服务器乖乖的,这也是借的。 <span style="float:right;">2012.8</span> =========================   其实这个网站在一年前就开始着手的了,但后来忙于生活,丢下就没再理,最近重拾这个想法,抽了些时间来完成它。   本站主要用来分享一些文档,一些有用的东西,然后也方便自己在线查看一些技术文档,而不用回家翻电脑。另外也可以说是一个博客吧,如果我有心情写博文的话。   为什么不用博客而自己写个JS+HTML的网站,主要是数据库的问题。以前用过许多博客程序,几经迁移,数据后来都丢了,没法积累。而这个站就能实现我要的东西,所有的数据都仅仅是文本而己。由于我不喜欢搜索引擎的关注,所以用JavaScript调用所有内容,也为了数据库和网站程序要分开。当然,缺陷是没有后台管理,这是一个静态网站。   本站所有内容都是我在Ubuntu Linux下用Gedit写的。自我获得了电脑自由(买了手提电脑)以来,一直用Ubuntu系统,没再用过Windows了。所以如果你还没有用过Linux系统的话,建议你可以尝试下Ubuntu。嘿嘿,我也在为Linux的推广出一分力哦。   终于完工了,余下的时间精力,我要用于追求财务自由。希望本站能给你带来一点点收获,那我也就很开心了。   Have fun... <span style="float:right;">2011.6</span></div>
D
/Users/davalcato/Desktop/iOS/Snap(Knock-Off)/Build/Intermediates/Snap(Knock-Off).build/Debug-iphonesimulator/Snap(Knock-Off).build/Objects-normal/x86_64/ViewController.o : /Users/davalcato/Desktop/iOS/Snap(Knock-Off)/Snap(Knock-Off)/AppDelegate.swift /Users/davalcato/Desktop/iOS/Snap(Knock-Off)/Snap(Knock-Off)/ViewController.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/davalcato/Desktop/iOS/Snap(Knock-Off)/Build/Intermediates/Snap(Knock-Off).build/Debug-iphonesimulator/Snap(Knock-Off).build/Objects-normal/x86_64/ViewController~partial.swiftmodule : /Users/davalcato/Desktop/iOS/Snap(Knock-Off)/Snap(Knock-Off)/AppDelegate.swift /Users/davalcato/Desktop/iOS/Snap(Knock-Off)/Snap(Knock-Off)/ViewController.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/davalcato/Desktop/iOS/Snap(Knock-Off)/Build/Intermediates/Snap(Knock-Off).build/Debug-iphonesimulator/Snap(Knock-Off).build/Objects-normal/x86_64/ViewController~partial.swiftdoc : /Users/davalcato/Desktop/iOS/Snap(Knock-Off)/Snap(Knock-Off)/AppDelegate.swift /Users/davalcato/Desktop/iOS/Snap(Knock-Off)/Snap(Knock-Off)/ViewController.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
import token; import environment; import errors; import std.process : getenv; void import_system(ref Environment env) { // Janky but accurate way to get the info about the os // I could use std.sys, but this happens at COMPILE time mixin(AddFunc!("getenv")); env.scopes[0]["__system__"] = Token().withArray(3); version(Win32) env.scopes[0]["__system__"].arr[0] = Token("Win32"); else version(Win64) env.scopes[0]["__system__"].arr[0] = Token("Win64"); else version(linux) env.scopes[0]["__system__"].arr[0] = Token("Linux"); else version(OSX) env.scopes[0]["__system__"].arr[0] = Token("OSX"); else version(FreeBSD) env.scopes[0]["__system__"].arr[0] = Token("FreeBSD"); else version(Solaris) env.scopes[0]["__system__"].arr[0] = Token("Solaris"); else env.scopes[0]["__system__"].arr[0] = Token("UnknownOS"); version(LittleEndian) env.scopes[0]["__system__"].arr[1] = Token("LittleEndian"); else version(BigEndian) env.scopes[0]["__system__"].arr[1] = Token("BigEndian"); else env.scopes[0]["__system__"].arr[1] = Token("UnknownEndianness"); version(X86) env.scopes[0]["__system__"].arr[2] = Token("x86"); else version(X86_64) env.scopes[0]["__system__"].arr[2] = Token("x64"); else env.scopes[0]["__system__"].arr[2] = Token("UnknownArchitecture"); } Token bi_getenv(ref Token[] argv, ref Environment env) { if(argv.length != 1) { throw new OratrArgumentCountException(argv.length,"getenv","1"); } Token envstr = env.eval(argv[0]); if(envstr.type != Token.VarType.tString) { throw new OratrInvalidArgumentException(vartypeToStr(envstr.type),0); } envstr.str = getenv(envstr.str); envstr.type = Token.VarType.tString; return envstr; }
D
/** * D header file for Solaris. * * $(LINK2 http://src.illumos.org/source/xref/illumos-gate/usr/src/uts/common/sys/elf_386.h, illumos sys/elf_386.h) */ module core.sys.solaris.sys.elf_386; version (Solaris): extern (C): nothrow: enum R_386_NONE = 0; enum R_386_32 = 1; enum R_386_PC32 = 2; enum R_386_GOT32 = 3; enum R_386_PLT32 = 4; enum R_386_COPY = 5; enum R_386_GLOB_DAT = 6; enum R_386_JMP_SLOT = 7; enum R_386_RELATIVE = 8; enum R_386_GOTOFF = 9; enum R_386_GOTPC = 10; enum R_386_32PLT = 11; enum R_386_TLS_GD_PLT = 12; enum R_386_TLS_LDM_PLT = 13; enum R_386_TLS_TPOFF = 14; enum R_386_TLS_IE = 15; enum R_386_TLS_GOTIE = 16; enum R_386_TLS_LE = 17; enum R_386_TLS_GD = 18; enum R_386_TLS_LDM = 19; enum R_386_16 = 20; enum R_386_PC16 = 21; enum R_386_8 = 22; enum R_386_PC8 = 23; enum R_386_UNKNOWN24 = 24; enum R_386_UNKNOWN25 = 25; enum R_386_UNKNOWN26 = 26; enum R_386_UNKNOWN27 = 27; enum R_386_UNKNOWN28 = 28; enum R_386_UNKNOWN29 = 29; enum R_386_UNKNOWN30 = 30; enum R_386_UNKNOWN31 = 31; enum R_386_TLS_LDO_32 = 32; enum R_386_UNKNOWN33 = 33; enum R_386_UNKNOWN34 = 34; enum R_386_TLS_DTPMOD32 = 35; enum R_386_TLS_DTPOFF32 = 36; enum R_386_UNKNOWN37 = 37; enum R_386_SIZE32 = 38; enum R_386_NUM = 39; enum ELF_386_MAXPGSZ = 0x10000; enum SHF_ORDERED = 0x40000000; enum SHF_EXCLUDE = 0x80000000; enum SHN_BEFORE = 0xff00; enum SHN_AFTER = 0xff01; enum M_PLT_INSSIZE = 6; enum M_PLT_XNumber = 1; enum M_GOT_XDYNAMIC = 0; enum M_GOT_XLINKMAP = 1; enum M_GOT_XRTLD = 2; enum M_GOT_XNumber = 3; enum M32_WORD_ALIGN = 4; enum M32_PLT_ENTSIZE = 16; enum M32_PLT_ALIGN = M32_WORD_ALIGN; enum M32_GOT_ENTSIZE = 4; enum M32_PLT_RESERVSZ = (M_PLT_XNumber * M32_PLT_ENTSIZE); version (_ELF64) {} else { enum M_WORD_ALIGN = M32_WORD_ALIGN; enum M_PLT_ENTSIZE = M32_PLT_ENTSIZE; enum M_PLT_ALIGN = M32_PLT_ALIGN; enum M_PLT_RESERVSZ = M32_PLT_RESERVSZ; enum M_GOT_ENTSIZE = M32_GOT_ENTSIZE; }
D
INSTANCE Info_Mod_Ausstatter_Ruestung02 (C_INFO) { npc = Ausstatter; nr = 1; condition = Info_Mod_Ausstatter_Ruestung02_Condition; information = Info_Mod_Ausstatter_Ruestung02_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Ausstatter_Ruestung02_Condition() { if ((Npc_HasItems(hero, ItAr_WNov_L) == 1) || (Npc_HasItems(hero, ItAr_Nov_DMB_01) == 1) || (Npc_HasItems(hero, ItAr_Nov_L) == 1) || (Npc_HasItems(hero, ItAr_Vlk_L) == 1) || (Npc_HasItems(hero, ItAr_Leather_L) == 1) || (Npc_HasItems(hero, ItAr_Mil_L) == 1) || (Npc_HasItems(hero, ItAr_Sld_L) == 1)) && (WaveCounter > 10) { return 1; }; }; FUNC VOID Info_Mod_Ausstatter_Ruestung02_Info() { AI_Output(self, hero, "Info_Mod_Ausstatter_Ruestung02_12_00"); //Ich habe hier eine neue Rüstung für dich. }; INSTANCE Info_Mod_Ausstatter_Ruestung03 (C_INFO) { npc = Ausstatter; nr = 1; condition = Info_Mod_Ausstatter_Ruestung03_Condition; information = Info_Mod_Ausstatter_Ruestung03_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Ausstatter_Ruestung03_Condition() { if ((Npc_HasItems(hero, ItAr_Sld_H) == 1) || (Npc_HasItems(hero, ItAr_Pal_M) == 1) || (Npc_HasItems(hero, ItAr_BDT_M) == 1) || (Npc_HasItems(hero, ItAr_Bdt_M) == 1) || (Npc_HasItems(hero, ItAr_Kdf_L) == 1) || (Npc_HasItems(hero, ItAr_Kdw_L_Addon) == 1) || (Npc_HasItems(hero, ItAr_Dementor) == 1)) && (WaveCounter > 20) { return 1; }; }; FUNC VOID Info_Mod_Ausstatter_Ruestung03_Info() { AI_Output(self, hero, "Info_Mod_Ausstatter_Ruestung03_12_00"); //Ich habe hier eine ganz besondere Rüstung für dich. AI_Output(self, hero, "Info_Mod_Ausstatter_Ruestung03_12_01"); //Sollte dir einiges an Schutz bieten. }; var int Moep; var int CurrentStr; var int CurrentDex; INSTANCE Info_Mod_Ausstatter_NeueWaffe (C_INFO) { npc = Ausstatter; nr = 1; condition = Info_Mod_Ausstatter_NeueWaffe_Condition; information = Info_Mod_Ausstatter_NeueWaffe_Info; permanent = 1; important = 1; }; FUNC INT Info_Mod_Ausstatter_NeueWaffe_Condition() { Moep = 0; if ((Mod_Klasse == 1) || (Mod_Klasse == 2) || (Mod_Klasse == 4)) && ((((hero.HitChance[NPC_TALENT_1H]) >= (hero.HitChance[NPC_TALENT_2H])) && (StrWaffe < 140)) || (((hero.HitChance[NPC_TALENT_2H]) > (hero.HitChance[NPC_TALENT_1H])) && (StrWaffe < 170))) { if ((hero.HitChance[NPC_TALENT_1H]) >= (hero.HitChance[NPC_TALENT_2H])) { if (hero.attribute[ATR_STRENGTH] >= 140) && (StrWaffe < 140) && (CurrentStr < 140) { Moep = 1; CurrentStr = 140; } else if (hero.attribute[ATR_STRENGTH] >= 100) && (StrWaffe < 100) && (CurrentStr < 100) { Moep = 1; CurrentStr = 100; } else if (hero.attribute[ATR_DEXTERITY] >= 60) && (StrWaffe < 60) && (CurrentStr < 60) { Moep = 1; CurrentStr = 60; } else if (hero.attribute[ATR_STRENGTH] >= 80) && (StrWaffe < 80) && (CurrentStr < 80) { Moep = 1; CurrentStr = 80; } else if (hero.attribute[ATR_DEXTERITY] >= 50) && (StrWaffe < 50) && (CurrentStr < 50) { Moep = 1; CurrentStr = 50; } else if (hero.attribute[ATR_STRENGTH] >= 70) && (StrWaffe < 70) && (CurrentStr < 70) { Moep = 1; CurrentStr = 70; } else if (hero.attribute[ATR_STRENGTH] >= 60) && (StrWaffe < 60) && (CurrentStr < 60) { Moep = 1; CurrentStr = 60; } else if (hero.attribute[ATR_STRENGTH] >= 40) && (StrWaffe < 40) && (CurrentStr < 40) { Moep = 1; CurrentStr = 40; } else if (hero.attribute[ATR_STRENGTH] >= 25) && (StrWaffe < 25) && (CurrentStr < 25) { Moep = 1; CurrentStr = 25; } else { Moep = 0; }; } else { if (hero.attribute[ATR_STRENGTH] >= 170) && (StrWaffe < 170) && (CurrentStr < 170) { Moep = 1; CurrentStr = 170; } else if (hero.attribute[ATR_STRENGTH] >= 160) && (StrWaffe < 160) && (CurrentStr < 160) { Moep = 1; CurrentStr = 160; } else if (hero.attribute[ATR_STRENGTH] >= 120) && (StrWaffe < 120) && (CurrentStr < 120) { Moep = 1; CurrentStr = 120; } else if (hero.attribute[ATR_STRENGTH] >= 100) && (StrWaffe < 100) && (CurrentStr < 100) { Moep = 1; CurrentStr = 100; } else if (hero.attribute[ATR_STRENGTH] >= 80) && (StrWaffe < 80) && (CurrentStr < 80) { Moep = 1; CurrentStr = 80; } else if (hero.attribute[ATR_STRENGTH] >= 75) && (StrWaffe < 75) && (CurrentStr < 75) { Moep = 1; CurrentStr = 75; } else if (hero.attribute[ATR_STRENGTH] >= 70) && (StrWaffe < 70) && (CurrentStr < 70) { Moep = 1; CurrentStr = 70; } else if (hero.attribute[ATR_STRENGTH] >= 55) && (StrWaffe < 55) && (CurrentStr < 55) { Moep = 1; CurrentStr = 55; } else if (hero.attribute[ATR_STRENGTH] >= 50) && (StrWaffe < 50) && (CurrentStr < 50) { Moep = 1; CurrentStr = 50; } else if (hero.attribute[ATR_STRENGTH] >= 35) && (StrWaffe < 35) && (CurrentStr < 35) { Moep = 1; CurrentStr = 35; }; }; }; return Moep; }; FUNC VOID Info_Mod_Ausstatter_NeueWaffe_Info() { AI_Output(self, hero, "Info_Mod_Ausstatter_NeueWaffe_12_00"); //Ich hab eine neue Waffe für dich! }; INSTANCE Info_Mod_Ausstatter_NeuerBogen (C_INFO) { npc = Ausstatter; nr = 1; condition = Info_Mod_Ausstatter_NeuerBogen_Condition; information = Info_Mod_Ausstatter_NeuerBogen_Info; permanent = 1; important = 1; }; FUNC INT Info_Mod_Ausstatter_NeuerBogen_Condition() { Moep = 0; if ((Mod_Klasse == 3) || (Mod_Klasse == 4)) && (DexWaffe < 160) { if (hero.attribute[ATR_DEXTERITY] >= 160) && (DexWaffe < 160) && (CurrentDex < 160) { Moep = 1; CurrentDex = 160; } else if (hero.attribute[ATR_DEXTERITY] >= 150) && (DexWaffe < 150) && (CurrentDex < 150) { Moep = 1; CurrentDex = 150; } else if (hero.attribute[ATR_DEXTERITY] >= 140) && (DexWaffe < 140) && (CurrentDex < 140) { Moep = 1; CurrentDex = 140; } else if (hero.attribute[ATR_DEXTERITY] >= 120) && (DexWaffe < 120) && (CurrentDex < 120) { Moep = 1; CurrentDex = 120; } else if (hero.attribute[ATR_DEXTERITY] >= 110) && (DexWaffe < 110) && (CurrentDex < 110) { Moep = 1; CurrentDex = 110; } else if (hero.attribute[ATR_DEXTERITY] >= 90) && (DexWaffe < 90) && (CurrentDex < 90) { Moep = 1; CurrentDex = 90; } else if (hero.attribute[ATR_DEXTERITY] >= 80) && (DexWaffe < 80) && (CurrentDex < 80) { Moep = 1; CurrentDex = 80; } else if (hero.attribute[ATR_DEXTERITY] >= 60) && (DexWaffe < 60) && (CurrentDex < 60) { Moep = 1; CurrentDex = 60; } else if (hero.attribute[ATR_DEXTERITY] >= 50) && (DexWaffe < 50) && (CurrentDex < 50) { Moep = 1; CurrentDex = 50; } else if (hero.attribute[ATR_DEXTERITY] >= 30) && (DexWaffe < 30) && (CurrentDex < 30) { Moep = 1; CurrentDex = 30; }; }; return Moep; }; FUNC VOID Info_Mod_Ausstatter_NeuerBogen_Info() { AI_Output(self, hero, "Info_Mod_Ausstatter_NeuerBogen_12_00"); //Ich hab einen neuen Bogen für dich! }; INSTANCE Info_Mod_Ausstatter_MagicWeapon (C_INFO) { npc = Ausstatter; nr = 1; condition = Info_Mod_Ausstatter_MagicWeapon_Condition; information = Info_Mod_Ausstatter_MagicWeapon_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Ausstatter_MagicWeapon_Condition() { if (WaveCounter >= 40) && (Mod_Klasse < 5) && (HasMagicWeapon == FALSE) && (HasBestWeapon == TRUE) { return 1; }; }; FUNC VOID Info_Mod_Ausstatter_MagicWeapon_Info() { AI_Output(self, hero, "Info_Mod_Ausstatter_MagicWeapon_12_00"); //Ich habe eine ganz besondere Waffe für dich. };
D
/Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Console.build/Output/ConsoleColor.swift.o : /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Terminal/ANSI.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Deprecated.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Console.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleStyle.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Choose.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityIndicatorState.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Ask.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Terminal/Terminal.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Clear/Console+Ephemeral.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Confirm.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/LoadingBar.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ProgressBar.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityBar.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Clear/Console+Clear.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Clear/ConsoleClear.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Utilities/ConsoleLogger.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/Console+Center.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleColor.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Utilities/ConsoleError.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityIndicator.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Utilities/Exports.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/Console+Wait.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleTextFragment.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Input.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/Console+Output.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleText.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/CustomActivity.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Console.build/Output/ConsoleColor~partial.swiftmodule : /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Terminal/ANSI.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Deprecated.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Console.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleStyle.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Choose.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityIndicatorState.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Ask.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Terminal/Terminal.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Clear/Console+Ephemeral.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Confirm.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/LoadingBar.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ProgressBar.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityBar.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Clear/Console+Clear.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Clear/ConsoleClear.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Utilities/ConsoleLogger.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/Console+Center.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleColor.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Utilities/ConsoleError.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityIndicator.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Utilities/Exports.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/Console+Wait.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleTextFragment.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Input.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/Console+Output.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleText.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/CustomActivity.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Console.build/Output/ConsoleColor~partial.swiftdoc : /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Terminal/ANSI.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Deprecated.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Console.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleStyle.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Choose.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityIndicatorState.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Ask.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Terminal/Terminal.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Clear/Console+Ephemeral.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Confirm.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/LoadingBar.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ProgressBar.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityBar.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Clear/Console+Clear.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Clear/ConsoleClear.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Utilities/ConsoleLogger.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/Console+Center.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleColor.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Utilities/ConsoleError.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/ActivityIndicator.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Utilities/Exports.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/Console+Wait.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleTextFragment.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Input/Console+Input.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/Console+Output.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Output/ConsoleText.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/console/Sources/Console/Activity/CustomActivity.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/* * Copyright (c) 2017-2020 sel-project * * 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. * */ /** * Copyright: 2017-2020 sel-project * License: MIT * Authors: Kripth * Source: $(HTTP github.com/sel-project/sel-client/sel/client/util.d, sel/client/util.d) */ module sel.client.util; import std.conv : to; import std.regex : ctRegex, replaceAll; import std.string : strip; import std.traits : Parameters; /** * Server's informations retrieved by a client's ping. */ struct Server { bool valid = false; string motd; string rawMotd; uint protocol; int online, max; string favicon; ulong ping; public this(string motd, uint protocol, int online, int max, ulong ping) { this.valid = true; this.motd = motd.replaceAll(ctRegex!"§[0-9a-fk-or]", "").strip; this.rawMotd = motd; this.protocol = protocol; this.online = online; this.max = max; this.ping = ping; } public inout string toString() { if(this.valid) { return "Server(motd: " ~ this.motd ~ ", protocol: " ~ to!string(this.protocol) ~ ", players: " ~ to!string(this.online) ~ "/" ~ to!string(this.max) ~ ", ping: " ~ to!string(this.ping) ~ " ms)"; } else { return "Server()"; } } alias valid this; } interface IHandler { public void handle(ubyte[] buffer); } class Handler(E...) : IHandler { //TODO validate packets private E handlers; public this(E handlers) { this.handlers = handlers; } public override void handle(ubyte[] buffer) { foreach(i, F; E) { static if(is(typeof(Parameters!F[0].ID))) { if(Parameters!F[0].ID == buffer[0]) { this.handlers[i](Parameters!F[0].fromBuffer(buffer)); } } else static if(is(Parameters!F[0] : ubyte[])) { this.handlers[i](buffer); } } } } Handler!E handler(E...)(E handlers) { return new Handler!E(handlers); }
D
/x/calo/jgoncalves/JetCleaningHI/RootCoreBin/obj/x86_64-slc6-gcc49-opt/JetCalibTools/obj/GlobalSequentialCorrection.o /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/obj/x86_64-slc6-gcc49-opt/JetCalibTools/obj/GlobalSequentialCorrection.d : /x/calo/jgoncalves/JetCleaningHI/JetCalibTools/Root/GlobalSequentialCorrection.cxx /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TKey.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TNamed.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TObject.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Rtypes.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RtypesCore.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RConfig.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RVersion.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/DllImport.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Rtypeinfo.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/snprintf.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/strlcpy.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TGenericClassInfo.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TSchemaHelper.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TStorage.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVersionCheck.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Riosfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TBuffer.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TString.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMathBase.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RStringView.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RConfigure.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RWrap_libcpp_string_view.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/libcpp_string_view.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TDatime.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/MuonSegmentContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/MuonSegment.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/versions/MuonSegment_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/AuxElement.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/IAuxElement.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/IConstAuxStore.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/AuxTypes.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/CxxUtils/unordered_set.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/CxxUtils/hashtable.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/remove_const.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/user.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/select_compiler_config.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/compiler/gcc.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/select_stdlib_config.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/stdlib/libstdcpp3.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/select_platform_config.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/platform/linux.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/posix_features.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/config/suffix.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/workaround.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/IAuxStore.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/DataLink.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/DataLinkBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/tools/selection_ns.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RVersion.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/RootMetaSelection.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/DataLink.icc /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TError.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccessInterfaces/TVirtualEvent.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccessInterfaces/TVirtualEvent.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccessInterfaces/TActiveEvent.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/AuxTypeRegistry.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/IAuxTypeVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/IAuxTypeVectorFactory.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/AuxTypeVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/IAuxSetOption.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/AuxDataTraits.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/PackedContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/PackedParameters.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/AuxDataOption.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/AuxDataOption.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/PackedParameters.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/CxxUtils/override.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/PackedContainer.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/AuxTypeVector.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/AuxTypeVectorFactory.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/AuxTypeVectorFactory.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/threading.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/threading.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/AuxTypeRegistry.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/AuxVectorData.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/likely.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/assume.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/AuxVectorData.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/exceptions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/CxxUtils/noreturn.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/AuxElement.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/ElementLink.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/ElementLinkBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/tools/TypeTools.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/ElementLink.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/MuonIdHelpers/MuonStationIndex.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/versions/MuonSegmentContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/DataVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/OwnershipPolicy.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/IndexTrackingPolicy.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/AuxVectorBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/ATHCONTAINERS_ASSERT.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/AuxStore_traits.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/AuxVectorBase.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/DVLNoBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/DVLInfo.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/ClassID.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/DVLInfo.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/DVLCast.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/DVLIterator.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/ElementProxy.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/ElementProxy.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/iterator_adaptor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/static_assert.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/iterator_categories.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/detail/config_def.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/eval_if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/value_wknd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/static_cast.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/workaround.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/integral.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/msvc.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/eti.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/na_spec.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/lambda_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/void_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/adl_barrier.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/adl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/intel.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/gcc.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/na.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/bool.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/bool_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/integral_c_tag.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/static_constant.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/na_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/ctps.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/lambda.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/ttp.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/int.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/int_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/nttp_decl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/nttp.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/integral_wrapper.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/cat.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/config/config.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/lambda_arity_param.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/template_arity_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/arity.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/dtp.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessor/params.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/preprocessor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/comma_if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/punctuation/comma_if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/control/if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/control/iif.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/logical/bool.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/facilities/empty.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/punctuation/comma.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repeat.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/repeat.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/debug/error.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/detail/auto_rec.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/tuple/eat.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/inc.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/arithmetic/inc.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessor/enum.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessor/def_params_tail.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/limits/arity.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/logical/and.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/logical/bitand.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/identity.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/facilities/identity.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/empty.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/arithmetic/add.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/arithmetic/dec.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/control/while.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/list/fold_left.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/list/detail/fold_left.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/control/expr_iif.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/list/adt.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/detail/is_binary.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/detail/check.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/logical/compl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/list/fold_right.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/list/detail/fold_right.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/list/reverse.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/control/detail/while.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/tuple/elem.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/facilities/expand.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/facilities/overload.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/variadic/size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/tuple/rem.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/tuple/detail/is_single_return.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/variadic/elem.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/arithmetic/sub.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/overload_resolution.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/lambda_support.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/identity.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/placeholders.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/arg.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/arg_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/na_assert.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/assert.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/not.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/nested_type_wknd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/yes_no.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/arrays.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/gpu.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/pp_counter.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/arity_spec.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/arg_typedef.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/use_preprocessed.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/include_preprocessed.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/compiler.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/stringize.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/arg.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/placeholders.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_convertible.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/intrinsics.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/detail/config.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/version.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/integral_constant.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/detail/yes_no_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_array.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_arithmetic.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_integral.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_floating_point.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_void.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_abstract.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/add_lvalue_reference.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/add_reference.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/add_rvalue_reference.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_reference.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_lvalue_reference.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_rvalue_reference.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_function.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/detail/is_function_ptr_helper.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/declval.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/detail/config_undef.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/iterator_facade.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/interoperable.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/or.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/or.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/iterator_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/detail/facade_iterator_category.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/and.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/and.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_same.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_const.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/detail/indirect_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_pointer.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_class.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_volatile.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_member_function_pointer.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/detail/is_mem_fun_pointer_impl.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/remove_cv.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_member_pointer.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/remove_reference.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/remove_pointer.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/detail/enable_if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/addressof.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/core/addressof.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/add_const.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/add_pointer.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_pod.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_scalar.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_enum.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/always.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessor/default_params.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/apply.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/apply_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/apply_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/apply_wrap.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/has_apply.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/has_xxx.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/type_wrapper.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/has_xxx.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/msvc_typename.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/array/elem.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/array/data.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/array/size.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/enum_params.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/enum_trailing_params.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/has_apply.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/msvc_never_true.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/apply_wrap.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/lambda.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/bind.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/bind_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/bind.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/bind_fwd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/next.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/next_prior.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/common_name_wknd.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/protect.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/bind.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/full_lambda.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/quote.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/void.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/has_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/config/bcc.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/quote.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/template_arity.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/template_arity.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/full_lambda.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/apply.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/DVL_iter_swap.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/DVL_algorithms.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/DVL_algorithms.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/IsMostDerivedFlag.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/add_cv.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/add_volatile.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/aligned_storage.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/alignment_of.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/type_with_alignment.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/conditional.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/common_type.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/decay.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/remove_bounds.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/remove_extent.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/detail/mp_defer.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/copy_cv.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/extent.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/floating_point_promotion.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/function_traits.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_bit_and.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/detail/has_binary_operator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_base_of.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_base_and_derived.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_fundamental.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_bit_and_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_bit_or.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_bit_or_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_bit_xor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_bit_xor_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_complement.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/detail/has_prefix_operator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_dereference.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_divides.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_divides_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_equal_to.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_greater.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_greater_equal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_left_shift.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_left_shift_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_less.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_less_equal.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_logical_and.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_logical_not.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_logical_or.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_minus.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_minus_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_modulus.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_modulus_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_multiplies.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_multiplies_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_negate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_new_operator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_not_equal_to.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_nothrow_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_assignable.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_nothrow_constructor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_default_constructible.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_nothrow_copy.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_copy_constructible.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_constructible.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_destructible.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_nothrow_destructor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_trivial_destructor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_plus.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_plus_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_post_decrement.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/detail/has_postfix_operator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_post_increment.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_pre_decrement.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_pre_increment.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_right_shift.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_right_shift_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_trivial_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_trivial_constructor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_trivial_copy.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_trivial_move_assign.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_trivial_move_constructor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_unary_minus.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_unary_plus.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/has_virtual_destructor.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_complex.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_compound.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_copy_assignable.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/noncopyable.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/core/noncopyable.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_empty.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_final.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_float.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_member_object_pointer.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_nothrow_move_assignable.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/enable_if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/core/enable_if.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_nothrow_move_constructible.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_object.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_polymorphic.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_signed.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_stateless.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_union.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_unsigned.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/is_virtual_base_of.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/make_signed.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/make_unsigned.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/rank.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/remove_all_extents.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/remove_volatile.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/type_identity.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/integral_promotion.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/type_traits/promote.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/ClassName.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/ClassName.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/error.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/DataVector.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/tools/CompareAndPrint.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODMuon/versions/MuonSegment_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCore/CLASS_DEF.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCore/ClassID_traits.h /x/calo/jgoncalves/JetCleaningHI/JetCalibTools/JetCalibTools/CalibrationMethods/GlobalSequentialCorrection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TEnv.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAxis.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAttAxis.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArrayD.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArray.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH2F.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH2.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH1.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAttLine.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAttFill.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TAttMarker.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArrayC.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArrayS.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArrayI.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TArrayF.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Foption.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVectorFfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVectorDfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TFitResultPtr.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixFBasefwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixDBasefwd.h /x/calo/jgoncalves/JetCleaningHI/JetCalibTools/JetCalibTools/IJetCalibrationTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/PATInterfaces/CorrectionCode.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/IAsgTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgToolsConf.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgToolMacros.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/StatusCode.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/Check.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/MsgStreamMacros.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/MsgLevel.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetInterface/IJetModifier.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/Jet.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/versions/Jet_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBase/IParticle.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TLorentzVector.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMath.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TError.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVector3.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVector2.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrix.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixF.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixT.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixTBase.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixTUtils.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixFfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixFUtils.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMatrixFUtilsfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TRotation.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBase/ObjectType.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBase/IParticleContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/BTaggingContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/BTagging.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/versions/BTagging_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/BTaggingEnums.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackParticleContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackParticle.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/TrackParticle_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackingPrimitives.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/EventPrimitives/EventPrimitives.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/Core /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/DisableStupidWarnings.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/Macros.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/MKL_support.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/Constants.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/ForwardDeclarations.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/Meta.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/StaticAssert.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/XprHelper.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/Memory.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/NumTraits.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/MathFunctions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/GenericPacketMath.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/arch/SSE/PacketMath.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/arch/SSE/MathFunctions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/arch/SSE/Complex.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/arch/Default/Settings.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Functors.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/DenseCoeffsBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/DenseBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/../plugins/BlockMethods.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/MatrixBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/../plugins/CommonCwiseUnaryOps.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/../plugins/CommonCwiseBinaryOps.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/../plugins/MatrixCwiseUnaryOps.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/../plugins/MatrixCwiseBinaryOps.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/EventPrimitives/AmgMatrixPlugin.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/EigenBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Assign.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/BlasUtil.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/DenseStorage.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/NestByValue.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/ForceAlignedAccess.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/ReturnByValue.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/NoAlias.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/PlainObjectBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Matrix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/EventPrimitives/SymmetricMatrixHelpers.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Array.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/CwiseBinaryOp.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/CwiseUnaryOp.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/CwiseNullaryOp.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/CwiseUnaryView.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/SelfCwiseBinaryOp.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Dot.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/StableNorm.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/MapBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Stride.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Map.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Block.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/VectorBlock.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Ref.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Transpose.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/DiagonalMatrix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Diagonal.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/DiagonalProduct.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/PermutationMatrix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Transpositions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Redux.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Visitor.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Fuzzy.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/IO.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Swap.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/CommaInitializer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Flagged.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/ProductBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/GeneralProduct.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/TriangularMatrix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/SelfAdjointView.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/GeneralBlockPanelKernel.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/Parallelizer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/CoeffBasedProduct.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/GeneralMatrixVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/GeneralMatrixMatrix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/SolveTriangular.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/GeneralMatrixMatrixTriangular.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/SelfadjointMatrixVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/SelfadjointMatrixMatrix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/SelfadjointProduct.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/SelfadjointRank2Update.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/TriangularMatrixVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/TriangularMatrixMatrix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/TriangularSolverMatrix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/products/TriangularSolverVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/BandMatrix.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/CoreIterators.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/BooleanRedux.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Select.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/VectorwiseOp.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Random.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Replicate.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/Reverse.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/ArrayBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/../plugins/ArrayCwiseUnaryOps.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/../plugins/ArrayCwiseBinaryOps.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/ArrayWrapper.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/GlobalFunctions.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Core/util/ReenableStupidWarnings.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/Dense /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/Core /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/LU /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/misc/Solve.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/misc/Kernel.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/misc/Image.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/LU/FullPivLU.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/LU/PartialPivLU.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/LU/Determinant.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/LU/Inverse.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/LU/arch/Inverse_SSE.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/Cholesky /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Cholesky/LLT.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Cholesky/LDLT.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/QR /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/Jacobi /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Jacobi/Jacobi.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/Householder /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Householder/Householder.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Householder/HouseholderSequence.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Householder/BlockHouseholder.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/QR/HouseholderQR.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/QR/FullPivHouseholderQR.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/QR/ColPivHouseholderQR.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/SVD /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/SVD/JacobiSVD.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/SVD/UpperBidiagonalization.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/Geometry /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/OrthoMethods.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/EulerAngles.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/Homogeneous.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/RotationBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/Rotation2D.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/Quaternion.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/AngleAxis.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/Transform.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/EventPrimitives/AmgTransformPlugin.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/Translation.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/Scaling.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/Hyperplane.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/ParametrizedLine.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/AlignedBox.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/Umeyama.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Geometry/arch/Geometry_SSE.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/Eigenvalues /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/Tridiagonalization.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/RealSchur.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/./HessenbergDecomposition.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/EigenSolver.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/./RealSchur.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/SelfAdjointEigenSolver.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/./Tridiagonalization.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/GeneralizedSelfAdjointEigenSolver.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/HessenbergDecomposition.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/ComplexSchur.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/ComplexEigenSolver.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/./ComplexSchur.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/RealQZ.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/GeneralizedEigenSolver.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/./RealQZ.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/src/Eigenvalues/MatrixBaseEigenvalues.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/VertexContainerFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/VertexFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/TrackParticleContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/TrackParticle_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackParticleContainerFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/TrackParticleFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/VertexContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/Vertex.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/Vertex_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/GeoPrimitives/GeoPrimitives.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/Eigen/Geometry /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/NeutralParticleContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/NeutralParticle.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/NeutralParticle_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/NeutralParticleContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/NeutralParticle_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/NeutralParticleContainerFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/NeutralParticleFwd.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBase/ObjectType.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODCore/BaseInfo.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODTracking/versions/VertexContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/BTagVertexContainer.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/BTagVertex.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/versions/BTagVertex_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/versions/BTagVertexContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODBTagging/versions/BTaggingContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetConstituentVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetTypes.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/Vector4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/Vector4Dfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/PxPyPzE4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/eta.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/etaMax.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/GenVector_exception.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/PtEtaPhiE4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/Math.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/PxPyPzM4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/PtEtaPhiM4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/LorentzVector.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/DisplacementVector3D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/Cartesian3D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/Polar3Dfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/PositionVector3Dfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/GenVectorIO.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/BitReproducible.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Math/GenVector/CoordinateSystemTags.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetAttributes.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetContainerInfo.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/versions/Jet_v1.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/versions/JetAccessorMap_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/ElementLinkVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/ElementLinkVectorBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthLinks/ElementLinkVector.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/JetAccessors.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODJet/versions/JetContainer_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetInterface/IJetPseudojetRetriever.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/JetInterface/ISingleJetModifier.h /x/calo/jgoncalves/JetCleaningHI/JetCalibTools/JetCalibTools/JetEventInfo.h /x/calo/jgoncalves/JetCleaningHI/JetCalibTools/JetCalibTools/JetCalibrationToolBase.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/ToolHandle.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/ToolHandle.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/ToolStore.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgMessaging.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/MsgStream.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/SgTEvent.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/SgTEvent.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/TEvent.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Rtypes.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEventFormat/EventFormat.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEventFormat/versions/EventFormat_v1.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODEventFormat/EventFormatElement.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainersInterfaces/IAuxStoreHolder.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TReturnCode.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/TEvent.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/TStore.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/ConstDataVector.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/ConstDataVector.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/iterator/transform_iterator.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/result_of.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/iteration/iterate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/slot/slot.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/slot/detail/def.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/enum_binary_params.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/repetition/enum_shifted_params.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/facilities/intercept.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/declval.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/iteration/detail/iter/forward1.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/iteration/detail/bounds/lower1.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/slot/detail/shared.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/preprocessor/iteration/detail/bounds/upper1.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/boost/utility/detail/result_of_iterate.hpp /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/TStore.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AthContainers/normalizedTypeinfoName.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TDestructorRegistry.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TDestructorRegistry.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TDestructor.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TDestructor.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TCDVHolderT.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/THolder.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/xAODRootAccess/tools/TCDVHolderT.icc /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TClass.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TDictionary.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/ESTLType.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TObjArray.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TSeqCollection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TCollection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TIterator.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TObjString.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/ThreadLocalStorage.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/AsgTool.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/PropertyMgr.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/Property.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/PropertyMgr.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/TProperty.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/ToolHandleArray.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/ToolHandleArray.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/TProperty.icc /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/AsgTools/SetProperty.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/PATInterfaces/CorrectionTool.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/PATInterfaces/CorrectionTool.icc /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TSystem.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TInetAddress.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TTimer.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TSysEvtHandler.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TQObject.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TList.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TQObjectEmitVA.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TQConnection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/Varargs.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TInterpreter.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVirtualMutex.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TTime.h /x/calo/jgoncalves/JetCleaningHI/JetCalibTools/JetCalibTools/JetCalibUtils.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TFile.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TDirectoryFile.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TDirectory.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TUUID.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TMap.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/THashTable.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TUrl.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TTree.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TBranch.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TDataType.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TVirtualTreePlayer.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TString.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TObjString.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH1D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.04.16-x86_64-slc6-gcc49-opt/include/TH2D.h /x/calo/jgoncalves/JetCleaningHI/RootCoreBin/include/PathResolver/PathResolver.h
D
/** * D header file for POSIX. * * Copyright: Copyright Sean Kelly 2005 - 2009. * License: <a href="http://www.boost.org/LICENSE_1_0.txt">Boost License 1.0</a>. * Authors: Sean Kelly, Alex Rønne Petersen * Standards: The Open Group Base Specifications Issue 6, IEEE Std 1003.1, 2004 Edition */ /* Copyright Sean Kelly 2005 - 2009. * Distributed under the Boost Software License, Version 1.0. * (See accompanying file LICENSE or copy at * http://www.boost.org/LICENSE_1_0.txt) */ module core.sys.posix.sys.wait; private import core.sys.posix.config; public import core.sys.posix.sys.types; // for id_t, pid_t public import core.sys.posix.signal; // for siginfo_t (XSI) //public import core.sys.posix.resource; // for rusage (XSI) version (Posix): extern (C): // // Required // /* WNOHANG WUNTRACED WEXITSTATUS WIFCONTINUED WIFEXITED WIFSIGNALED WIFSTOPPED WSTOPSIG WTERMSIG pid_t wait(int*); pid_t waitpid(pid_t, int*, int); */ version( linux ) { enum WNOHANG = 1; enum WUNTRACED = 2; private { enum __W_CONTINUED = 0xFFFF; extern (D) int __WTERMSIG( int status ) { return status & 0x7F; } } // // NOTE: These macros assume __USE_BSD is not defined in the relevant // C headers as the parameter definition there is different and // much more complicated. // extern (D) int WEXITSTATUS( int status ) { return ( status & 0xFF00 ) >> 8; } extern (D) int WIFCONTINUED( int status ) { return status == __W_CONTINUED; } extern (D) bool WIFEXITED( int status ) { return __WTERMSIG( status ) == 0; } extern (D) bool WIFSIGNALED( int status ) { return ( cast(byte) ( ( status & 0x7F ) + 1 ) >> 1 ) > 0; } extern (D) bool WIFSTOPPED( int status ) { return ( status & 0xFF ) == 0x7F; } extern (D) int WSTOPSIG( int status ) { return WEXITSTATUS( status ); } extern (D) int WTERMSIG( int status ) { return status & 0x7F; } } else version( OSX ) { enum WNOHANG = 1; enum WUNTRACED = 2; private { enum _WSTOPPED = 0x7F; // octal 0177 } extern (D) int _WSTATUS(int status) { return (status & 0x7F); } extern (D) int WEXITSTATUS( int status ) { return (status >> 8); } extern (D) int WIFCONTINUED( int status ) { return status == 0x13; } extern (D) bool WIFEXITED( int status ) { return _WSTATUS(status) == 0; } extern (D) bool WIFSIGNALED( int status ) { return _WSTATUS( status ) != _WSTOPPED && _WSTATUS( status ) != 0; } extern (D) bool WIFSTOPPED( int status ) { return _WSTATUS( status ) == _WSTOPPED; } extern (D) int WSTOPSIG( int status ) { return status >> 8; } extern (D) int WTERMSIG( int status ) { return _WSTATUS( status ); } } else version( FreeBSD ) { enum WNOHANG = 1; enum WUNTRACED = 2; private { enum _WSTOPPED = 0x7F; // octal 0177 } extern (D) int _WSTATUS(int status) { return (status & 0x7F); } extern (D) int WEXITSTATUS( int status ) { return (status >> 8); } extern (D) int WIFCONTINUED( int status ) { return status == 0x13; } extern (D) bool WIFEXITED( int status ) { return _WSTATUS(status) == 0; } extern (D) bool WIFSIGNALED( int status ) { return _WSTATUS( status ) != _WSTOPPED && _WSTATUS( status ) != 0; } extern (D) bool WIFSTOPPED( int status ) { return _WSTATUS( status ) == _WSTOPPED; } extern (D) int WSTOPSIG( int status ) { return status >> 8; } extern (D) int WTERMSIG( int status ) { return _WSTATUS( status ); } } else version (Solaris) { enum WNOHANG = 64; enum WUNTRACED = 4; extern (D) int WEXITSTATUS(int status) { return (status >> 8) & 0xff; } extern (D) int WIFCONTINUED(int status) { return (status & 0xffff) == 0xffff; } extern (D) bool WIFEXITED(int status) { return (status & 0xff) == 0; } extern (D) bool WIFSIGNALED(int status) { return (status & 0xff) > 0 && (status & 0xff00) == 0; } extern (D) bool WIFSTOPPED(int status) { return (status & 0xff) == 0x7f && (status & 0xff00) != 0; } extern (D) int WSTOPSIG(int status) { return (status >> 8) & 0x7f; } extern (D) int WTERMSIG(int status) { return (status & 0x7f); } } else version( Android ) { enum WNOHANG = 1; enum WUNTRACED = 2; extern (D) int WEXITSTATUS( int status ) { return ( status & 0xFF00 ) >> 8; } extern (D) bool WIFEXITED( int status ) { return WTERMSIG(status) == 0; } extern (D) bool WIFSIGNALED( int status ) { return WTERMSIG(status + 1) >= 2; } extern (D) bool WIFSTOPPED( int status ) { return WTERMSIG(status) == 0x7F; } extern (D) int WSTOPSIG( int status ) { return WEXITSTATUS(status); } extern (D) int WTERMSIG( int status ) { return status & 0x7F; } } else { static assert(false, "Unsupported platform"); } pid_t wait(int*); pid_t waitpid(pid_t, int*, int); // // XOpen (XSI) // /* WEXITED WSTOPPED WCONTINUED WNOWAIT enum idtype_t { P_ALL, P_PID, P_PGID } int waitid(idtype_t, id_t, siginfo_t*, int); */ version( linux ) { enum WEXITED = 4; enum WSTOPPED = 2; enum WCONTINUED = 8; enum WNOWAIT = 0x01000000; enum idtype_t { P_ALL, P_PID, P_PGID } int waitid(idtype_t, id_t, siginfo_t*, int); } else version( OSX ) { enum WEXITED = 0x00000004; enum WSTOPPED = 0x00000008; enum WCONTINUED = 0x00000010; enum WNOWAIT = 0x00000020; enum idtype_t { P_ALL, P_PID, P_PGID } int waitid(idtype_t, id_t, siginfo_t*, int); } else version (FreeBSD) { enum WSTOPPED = WUNTRACED; enum WCONTINUED = 4; enum WNOWAIT = 8; // http://www.freebsd.org/projects/c99/ } else version (Solaris) { enum WEXITED = 1; enum WTRAPPED = 2; enum WSTOPPED = WUNTRACED; enum WCONTINUED = 8; enum WNOWAIT = 128; enum idtype_t { P_PID, /* A process identifier. */ P_PPID, /* A parent process identifier. */ P_PGID, /* A process group (job control group) */ /* identifier. */ P_SID, /* A session identifier. */ P_CID, /* A scheduling class identifier. */ P_UID, /* A user identifier. */ P_GID, /* A group identifier. */ P_ALL, /* All processes. */ P_LWPID, /* An LWP identifier. */ P_TASKID, /* A task identifier. */ P_PROJID, /* A project identifier. */ P_POOLID, /* A pool identifier. */ P_ZONEID, /* A zone identifier. */ P_CTID, /* A (process) contract identifier. */ P_CPUID, /* CPU identifier. */ P_PSETID, /* Processor set identifier */ } int waitid(idtype_t, id_t, siginfo_t*, int); } else version( Android ) { enum WEXITED = 4; enum WSTOPPED = 2; enum WCONTINUED = 8; enum WNOWAIT = 0x01000000; alias int idtype_t; int waitid(idtype_t, id_t, siginfo_t*, int); } else { static assert(false, "Unsupported platform"); }
D
// //------------------------------------------------------------------------------ // Copyright 2007-2011 Mentor Graphics Corporation // Copyright 2007-2011 Cadence Design Systems, Inc. // Copyright 2010 Synopsys, Inc. // Copyright 2012-2014 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_misc; //------------------------------------------------------------------------------ // // Topic: uvm_void // // The ~uvm_void~ class is the base class for all UVM classes. It is an abstract // class with no data members or functions. It allows for generic containers of // objects to be created, similar to a void pointer in the C programming // language. User classes derived directly from ~uvm_void~ inherit none of the // UVM functionality, but such classes may be placed in ~uvm_void~-typed // containers along with other UVM objects. // //------------------------------------------------------------------------------ import std.array; import std.string: format; import esdl.data.bvec; // import uvm.base.uvm_object_globals; interface uvm_void_if { } abstract class uvm_void: uvm_void_if { } import uvm.meta.misc; // Append/prepend symbolic values for order-dependent APIs enum uvm_apprepend: bool { UVM_APPEND = false, UVM_PREPEND = true } mixin(declareEnums!uvm_apprepend()); // Forward declaration since scope stack uses uvm_objects now // typedef class uvm_object; //---------------------------------------------------------------------------- // // CLASS- uvm_scope_stack // //---------------------------------------------------------------------------- final class uvm_scope_stack { private string _m_arg; // UVM for SV uses a queue for m_stack, but a dynamic array is good // enough since we do not need push_front for this collection private string[] _m_stack; // depth // ----- public size_t depth() { synchronized(this) { return _m_stack.length; } } // scope // ----- public string get() { synchronized(this) { string v; if(_m_stack.length is 0) return _m_arg; string res = _m_stack[0]; for(size_t i=1; i<_m_stack.length; ++i) { v = _m_stack[i]; if(v != "" && (v[0] is '[' || v[0] is '(' || v[0] is '{')) res ~= v; else res ~= "." ~ v; } if(_m_arg != "") { if(res != "") res ~= "." ~ _m_arg; else res = _m_arg; } return res; } } // scope_arg // --------- public string get_arg() { synchronized(this) { return _m_arg; } } // set_scope // --------- public void set (string s) { synchronized(this) { _m_stack.length = 0; _m_stack ~= s; _m_arg = ""; } } // down // ---- public void down (string s) { synchronized(this) { _m_stack ~= s; _m_arg = ""; } } // down_element // ------------ public void down_element (int element) { synchronized(this) { _m_stack ~= format("[%0d]", element); _m_arg = ""; } } // up_element // ------------ public void up_element () { synchronized(this) { if(_m_stack.length is 0) { return; } string s = _m_stack[$-1]; if(s == "" || s[0] is '[') { _m_stack = _m_stack[0..$-1]; } } } // up // -- public void up (char separator = '.') { synchronized(this) { bool found = false; while(_m_stack.length && !found ) { string s = _m_stack[$-1]; _m_stack = _m_stack[0..$-1]; if(separator is '.') { if (s == "" || (s[0] !is '[' && s[0] !is '(' && s[0] !is '{')) { found = true; } } else { if(s != "" && s[0] is separator) { found = true; } } } _m_arg = ""; } } // set_arg // ------- public void set_arg (string arg) { synchronized(this) { if(arg == "") { return; } _m_arg = arg; } } // set_arg_element // --------------- public void set_arg_element (string arg, int ele) { synchronized(this) { import std.conv; _m_arg = arg ~ "[" ~ ele.to!string ~ "]"; } } // unset_arg // --------- public void unset_arg (string arg) { synchronized(this) { if(arg == _m_arg) { _m_arg = ""; } } } } // endclass //------------------------------------------------------------------------------ // // CLASS- uvm_status_container // // Internal class to contain status information for automation methods. // //------------------------------------------------------------------------------ import uvm.base.uvm_packer; import uvm.base.uvm_comparer; import uvm.base.uvm_recorder; import uvm.base.uvm_printer; final class uvm_status_container { import uvm.base.uvm_object; mixin(uvm_sync!uvm_status_container); //The clone setting is used by the set/get config to know if cloning is on. @uvm_public_sync private bool _clone = true; //Information variables used by the macro functions for storage. @uvm_public_sync private bool _warning; @uvm_public_sync private bool _status; @uvm_public_sync private uvm_bitstream_t _bitstream; // FIXME -- next two elements present in SV version but are not used // private int _intv; // private int _element; @uvm_public_sync private string _stringv; // FIXME -- next three elements present in SV version but are not used // private string _scratch1; // private string _scratch2; // private string _key; @uvm_public_sync private uvm_object _object; // FIXME -- next element present in SV version but is not used // private bool _array_warning_done; // Since only one static instance is created for this class // (uvm_status_container), it is Ok to not make the next two // elements static (as done in SV version) // __gshared private bool _field_array[string]; public bool field_exists(string field) { synchronized(this) { if(field in _field_array) return true; else return false; } } public void reset_fields() { synchronized(this) { _field_array = null; } } public bool no_fields() { synchronized(this) { if(_field_array.length is 0) return true; else return false; } } // __gshared // FIXME -- next element present in SV version but is not used // private bool _print_matches; public void do_field_check(string field, uvm_object obj) { synchronized(this) { debug(UVM_ENABLE_FIELD_CHECKS) { if (field in _field_array) uvm_report_error("MLTFLD", format("Field %s is defined multiple times in type '%s'", field, obj.get_type_name()), UVM_NONE); } _field_array[field] = true; } } public static string get_function_type (int what) { switch (what) { case UVM_COPY: return "copy"; case UVM_COMPARE: return "compare"; case UVM_PRINT: return "print"; case UVM_RECORD: return "record"; case UVM_PACK: return "pack"; case UVM_UNPACK: return "unpack"; case UVM_FLAGS: return "get_flags"; case UVM_SETINT: return "set"; case UVM_SETOBJ: return "set_object"; case UVM_SETSTR: return "set_string"; default: return "unknown"; } } // The scope stack is used for messages that are emitted by policy classes. @uvm_immutable_sync private uvm_scope_stack _scope_stack; // = new uvm_scope_stack(); public this() { synchronized(this) { _scope_stack = new uvm_scope_stack(); } } public string get_full_scope_arg () { synchronized(this) { return scope_stack.get(); } } //Used for checking cycles. When a data public is entered, if the depth is //non-zero, then then the existeance of the object in the map means that a //cycle has occured and the public should immediately exit. When the //public exits, it should reset the cycle map so that there is no memory //leak. private bool _cycle_check[uvm_object]; public bool check_cycle(uvm_object obj) { synchronized(this) { if(obj in _cycle_check) return true; else return false; } } public bool add_cycle(uvm_object obj) { synchronized(this) { if(obj in _cycle_check) return false; else _cycle_check[obj] = true; return true; } } public bool remove_cycle(uvm_object obj) { synchronized(this) { if(obj !in _cycle_check) return false; else _cycle_check.remove(obj); return true; } } public void remove_all_cycles() { synchronized(this) { _cycle_check = null; } } //These are the policy objects currently in use. The policy object gets set //when a public starts up. The macros use this. @uvm_public_sync private uvm_comparer _comparer; @uvm_public_sync private uvm_packer _packer; @uvm_public_sync private uvm_recorder _recorder; @uvm_public_sync private uvm_printer _printer; // utility public used to perform a cycle check when config setting are pushed // to uvm_objects. the public has to look at the current object stack representing // the call stack of all m_uvm_field_automation() invocations. // it is a only a cycle if the previous m_uvm_field_automation call scope // is not identical with the current scope AND the scope is already present in the // object stack private uvm_object[] _m_uvm_cycle_scopes; public void reset_cycle_scopes() { synchronized(this) { _m_uvm_cycle_scopes.length = 0; } } public bool m_do_cycle_check(uvm_object scope_stack) { synchronized(this) { uvm_object l = _m_uvm_cycle_scopes[$-1]; // we have been in this scope before (but actually right before so assuming a super/derived context of the same object) if(l is scope_stack) { _m_uvm_cycle_scopes ~= scope_stack; return false; } else { // now check if we have already been in this scope before import std.algorithm; auto m = find(_m_uvm_cycle_scopes, scope_stack); // uvm_object m[] = m_uvm_cycle_scopes.find_first(item) with (item is scope_stack); if(m.length !is 0) { return true; // detected a cycle } else { _m_uvm_cycle_scopes ~= scope_stack; return false; } } } } } // endclass //------------------------------------------------------------------------------ // // CLASS- uvm_copy_map // // // Internal class used to map rhs to lhs so when a cycle is found in the rhs, // the correct lhs object can be bound to it. //------------------------------------------------------------------------------ final class uvm_copy_map { import uvm.base.uvm_object; private uvm_object _m_map[uvm_object]; public void set(uvm_object key, uvm_object obj) { synchronized(this) { _m_map[key] = obj; } } public uvm_object get(uvm_object key) { synchronized(this) { if (key in _m_map) { return _m_map[key]; } return null; } } public void clear() { synchronized(this) { _m_map = null; // _m_map.delete() in SV } } public void remove(uvm_object v) { // delete in D is a keyword synchronized(this) { _m_map.remove(v); } } } final class uvm_once_seed_map { // ** from uvm_misc // Variable- m_global_random_seed // // Create a seed which is based off of the global seed which can be used to seed // srandom processes but will change if the command line seed setting is // changed. // @uvm_immutable_sync private uint _m_global_random_seed; // ** from uvm_misc -- global variable in SV private uvm_seed_map[string] _uvm_random_seed_table_lookup; this(uint seed) { synchronized(this) { _m_global_random_seed = seed; } } } // Class- uvm_seed_map // // This map is a seed map that can be used to update seeds. The update // is done automatically by the seed hashing routine. The seed_table_lookup // uses an instance name lookup and the seed_table inside a given map // uses a type name for the lookup. // final class uvm_seed_map { mixin(uvm_once_sync!(uvm_once_seed_map)); private uint _seed_table[string]; private uint _count[string]; static private uint map_random_seed ( string type_id, string inst_id="" ) { uvm_seed_map seed_map; if (inst_id == "") inst_id = "__global__"; type_id = "uvm_pkg." ~ type_id; // uvm_instance_scope() synchronized(_once) { if (inst_id !in _uvm_random_seed_table_lookup) { _uvm_random_seed_table_lookup[inst_id] = new uvm_seed_map(); } seed_map = _uvm_random_seed_table_lookup[inst_id]; } return seed_map.create_random_seed(type_id, inst_id); } // Function- uvm_create_random_seed // // Creates a random seed and updates the seed map so that if the same string // is used again, a new value will be generated. The inst_id is used to hash // by instance name and get a map of type name hashes which the type_id uses // for it's lookup. private uint create_random_seed ( string type_id, string inst_id="" ) { synchronized(this) { if (type_id !in _seed_table) { _seed_table[type_id] = oneway_hash (type_id ~ "." ~ inst_id, m_global_random_seed); } if (type_id !in _count) { _count[type_id] = 0; } //can't just increment, otherwise too much chance for collision, so //randomize the seed using the last seed as the seed value. Check if //the seed has been used before and if so increment it. _seed_table[type_id] = _seed_table[type_id] + _count[type_id]; _count[type_id]++; return _seed_table[type_id]; } } // Function- oneway_hash // // A one-way hash public that is useful for creating srandom seeds. An // unsigned int value is generated from the string input. An initial seed can // be used to seed the hash, if not supplied the m_global_random_seed // value is used. Uses a CRC like functionality to minimize collisions. // // TBD -- replace all this junk with std.hash implementation once it // gets into DMD static private uint oneway_hash (string string_in, uint seed ) { enum int UVM_STR_CRC_POLYNOMIAL = 0x04c11db6; bool msb; ubyte current_byte; uint crc1 = 0xffffffff; uint res = seed; for (int _byte=0; _byte < string_in.length; _byte++) { current_byte = cast(ubyte) string_in[_byte]; // I do not think that the next line makes any sense (in SV either) // but the SV code has it if (current_byte is 0) break; for (int _bit=0; _bit < 8; _bit++) { msb = cast(bool) (crc1 >>> 31); crc1 <<= 1; if (msb ^ ((current_byte >> _bit) & 1)) { crc1 ^= UVM_STR_CRC_POLYNOMIAL; crc1 |= 1; } } } uint byte_swapped_crc1 = 0; for (int i = 0; i !is 4; ++i) { byte_swapped_crc1 <<= 8; byte_swapped_crc1 += (crc1 >> i*8) & 0x000000ff; } // res += ~{crc1[7:0], crc1[15:8], crc1[23:16], crc1[31:24]}; res += ~byte_swapped_crc1; return res; } } public uint uvm_create_random_seed (string type_id, string inst_id="") { return uvm_seed_map.map_random_seed(type_id, inst_id); } public uint uvm_global_random_seed() { return uvm_seed_map.m_global_random_seed; } // //------------------------------------------------------------------------------ // // Internal utility functions // //------------------------------------------------------------------------------ // // Function- uvm_instance_scope // // // // A function that returns the scope that the UVM library lives in, either // // an instance, a module, or a package. // // // function string uvm_instance_scope(); // byte c; // int pos; // //first time through the scope is null and we need to calculate, afterwards it // //is correctly set. // if(uvm_instance_scope != "") // return uvm_instance_scope; // $swrite(uvm_instance_scope, "%m"); // //remove the extraneous .uvm_instance_scope piece or ::uvm_instance_scope // pos = uvm_instance_scope.len()-1; // c = uvm_instance_scope[pos]; // while(pos && (c != ".") && (c != ":")) // c = uvm_instance_scope[--pos]; // if(pos is 0) // uvm_report_error("SCPSTR", $sformatf("Illegal name %s in scope_stack string",uvm_instance_scope)); // uvm_instance_scope = uvm_instance_scope.substr(0,pos); // endfunction // Function- uvm_object_value_str // // import uvm.base.uvm_object: uvm_object; public string uvm_object_value_str(uvm_object v) { import std.conv; if (v is null) { return "<null>"; } return "@" ~ (v.get_inst_id()).to!string(); } // Function- uvm_leaf_scope // // public string uvm_leaf_scope (string full_name, char scope_separator = '.') { char bracket_match; size_t pos; int bmatches = 0; switch(scope_separator) { case '[': bracket_match = ']'; break; case '(': bracket_match = ')'; break; case '<': bracket_match = '>'; break; case '{': bracket_match = '}'; break; default : bracket_match = '.'; break; } //Only use bracket matching if the input string has the end match if(bracket_match !is '.' && bracket_match !is full_name[$-1]) bracket_match = '.'; for(pos=full_name.length-1; pos !is 0; --pos) { if(full_name[pos] is bracket_match) ++bmatches; else if(full_name[pos] is scope_separator) { --bmatches; if(!bmatches || (bracket_match is '.')) break; } } if(pos) { if(scope_separator !is '.') --pos; return full_name[pos+1..$]; } else { return full_name; } } // Function- uvm_vector_to_string // // import std.traits: isIntegral; import uvm.base.uvm_object_globals; public string uvm_vector_to_string(T)(T value, uvm_radix_enum radix=UVM_NORADIX, string radix_str="") if(isBitVector!T || isIntegral!T || is(T == bool)) { static if(isIntegral!T) vec!T val = value; else static if(is(T == bool)) bit val = value; else alias value val; // sign extend & don't show radix for negative values if (radix is UVM_DEC && (cast(bit) val[$-1]) is 1) return format("%0d", val); switch(radix) { case UVM_BIN: return format("%0s%0b", radix_str, val); case UVM_OCT: return format("%0s%0o", radix_str, val); case UVM_UNSIGNED: return format("%0s%0d", radix_str, val); case UVM_STRING: return format("%0s%0s", radix_str, val); // SV UVM uses %0t for time case UVM_TIME: return format("%0s%0d", radix_str, val); case UVM_DEC: return format("%0s%0d", radix_str, val); default: return format("%0s%0x", radix_str, val); } } // Function- uvm_get_array_index_int // // The following functions check to see if a string is representing an array // index, and if so, what the index is. public int uvm_get_array_index_int(string arg, out bool is_wildcard) { import std.conv; int retval = 0; is_wildcard = true; auto i = arg.length - 1; if(arg[i] is ']') { while(i > 0 && (arg[i] !is '[')) { --i; if((arg[i] is '*') || (arg[i] is '?')) { i=0; } else if((arg[i] < '0') || (arg[i] > '9') && (arg[i] !is '[')) { retval = -1; //illegal integral index i=0; } } } else { is_wildcard = false; return 0; } if(i>0) { arg = arg[i+1..$-1]; retval = arg.to!int(); is_wildcard = false; } return retval; } // Function- uvm_get_array_index_string // // public string uvm_get_array_index_string(string arg, out bool is_wildcard) { string retval; is_wildcard = true; auto i = arg.length - 1; if(arg[i] is ']') while(i > 0 && (arg[i] !is '[')) { if((arg[i] is '*') || (arg[i] is '?')) { i=0; } --i; } if(i > 0) { retval = arg[i+1..$-1]; is_wildcard = false; } return retval; } // Function- uvm_is_array // // public bool uvm_is_array(string arg) { return arg[$-1] is ']'; } // Function- uvm_has_wildcard // // public bool uvm_has_wildcard (string arg) { //if it is a regex then return true if( (arg.length > 1) && (arg[0] is '/') && (arg[$-1] is '/') ) { return true; } //check if it has globs foreach(c; arg) { if( (c is '*') || (c is '+') || (c is '?') ) { return true; } } return false; } //------------------------------------------------------------------------------ // CLASS: uvm_utils // // This class contains useful template functions. // //------------------------------------------------------------------------------ import uvm.base.uvm_component; // typedef class uvm_component; // typedef class uvm_root; // typedef class uvm_object; // SV puts default TYPE as int, but then returning null for TYPE // object (see function find) does not make any sense final class uvm_utils (TYPE=uvm_void, string FIELD="config") { // typedef TYPE types_t[$]; alias TYPE[] types_t; // Function: find_all // // Recursively finds all component instances of the parameter type ~TYPE~, // starting with the component given by ~start~. Uses <uvm_root::find_all>. static public types_t find_all(uvm_component start) { uvm_component list[]; types_t types; uvm_root top = uvm_root.get(); top.find_all("*", list, start); foreach (comp; list) { TYPE typ; if (cast(typ) comp) { types ~= typ; } } if (types.length is 0) { uvm_warning("find_type-no match", "Instance of type '" ~ TYPE.type_name ~ " not found in component hierarchy beginning at " ~ start.get_full_name()); } return types; } static public TYPE find(uvm_component start) { types_t types = find_all(start); if (types.length is 0) { return null; } if (types.length > 1) { uvm_warning("find_type-multi match", "More than one instance of type '" ~ TYPE.type_name ~ " found in component hierarchy beginning at " ~ start.get_full_name()); return null; } return types[0]; } static public TYPE create_type_by_name(string type_name, string contxt) { uvm_object obj; TYPE typ; obj = factory.create_object_by_name(type_name,contxt,type_name); if (cast(typ) obj) uvm_report_error("WRONG_TYPE", "The type_name given '" ~ type_name ~ "' with context '" ~ contxt ~ "' did not produce the expected type."); return typ; } // Function: get_config // // This method gets the object config of type ~TYPE~ // associated with component ~comp~. // We check for the two kinds of error which may occur with this kind of // operation. static public TYPE get_config(uvm_component comp, bool is_fatal) { uvm_object obj; TYPE cfg; if (!comp.get_config_object(FIELD, obj, 0)) { if (is_fatal) { comp.uvm_report_fatal("NO_SET_CFG", "no set_config to field '" ~ FIELD ~ "' for component '" ~ comp.get_full_name() ~ "'", UVM_MEDIUM, uvm_file , uvm_line ); } else { comp.uvm_report_warning("NO_SET_CFG", "no set_config to field '" ~ FIELD ~ "' for component '" ~ comp.get_full_name() ~ "'", UVM_MEDIUM, uvm_file , uvm_line ); } return null; } if (! cast(cfg) obj) { if (is_fatal) { comp.uvm_report_fatal( "GET_CFG_TYPE_FAIL", "set_config_object with field name " ~ FIELD ~ " is not of type '" ~ TYPE.type_name ~ "'", UVM_NONE , uvm_file , uvm_line ); } else { comp.uvm_report_warning( "GET_CFG_TYPE_FAIL", "set_config_object with field name " ~ FIELD ~ " is not of type '" ~ TYPE.type_name ~ "'", UVM_NONE , uvm_file , uvm_line ); } } return cfg; } } version(UVM_USE_PROCESS_CONTAINER) { import esdl.base.core; final class process_container_c { mixin(uvm_sync!process_container_c); @uvm_immutable_sync private Process _p; this(Process p) { synchronized(this) { _p = p; } } } }
D
instance DIA_VLK_6133_MAXI_EXIT(C_Info) { npc = vlk_6133_maxi; nr = 999; condition = dia_vlk_6133_maxi_exit_condition; information = dia_vlk_6133_maxi_exit_info; permanent = TRUE; description = Dialog_Ende; }; func int dia_vlk_6133_maxi_exit_condition() { return TRUE; }; func void dia_vlk_6133_maxi_exit_info() { AI_StopProcessInfos(self); }; instance DIA_VLK_6133_MAXI_HALLO(C_Info) { npc = vlk_6133_maxi; nr = 2; condition = dia_vlk_6133_maxi_hallo_condition; information = dia_vlk_6133_maxi_hallo_info; permanent = FALSE; description = "Zdravím!"; }; func int dia_vlk_6133_maxi_hallo_condition() { return TRUE; }; func void dia_vlk_6133_maxi_hallo_info() { AI_Output(other,self,"DIA_VLK_6133_Maxi_Hallo_01_00"); //Zdravím! AI_Output(self,other,"DIA_VLK_6133_Maxi_Hallo_01_01"); //Hej! Co po mě chceš? Nemáš pro mě nějakou práci? AI_Output(other,self,"DIA_VLK_6133_Maxi_Hallo_01_02"); //Ne, nic pro tebe nemám. AI_Output(self,other,"DIA_VLK_6133_Maxi_Hallo_01_03"); //(vztekle) Tak proč mě otravuješ? Copak nevidíš - jsem zaneprázdněn! AI_Output(other,self,"DIA_VLK_6133_Maxi_Hallo_01_04"); //A jak jsi zaneprázdněn? AI_Output(self,other,"DIA_VLK_6133_Maxi_Hallo_01_05"); //Stojím tu a snažím se, abych nepropásl moment, až se některému z obchodníků bude hodit někdo, jako já. AI_Output(self,other,"DIA_VLK_6133_Maxi_Hallo_01_06"); //A ty se mě ptáš na nějaké kraviny a tím mě rušíš! }; instance DIA_VLK_6133_MAXI_WHATDO(C_Info) { npc = vlk_6133_maxi; nr = 2; condition = dia_vlk_6133_maxi_whatdo_condition; information = dia_vlk_6133_maxi_whatdo_info; permanent = FALSE; description = "A na co, že tu ve skutečnosti čekáš?"; }; func int dia_vlk_6133_maxi_whatdo_condition() { if(Npc_KnowsInfo(other,dia_vlk_6133_maxi_hallo)) { return TRUE; }; }; func void dia_vlk_6133_maxi_whatdo_info() { AI_Output(other,self,"DIA_VLK_6133_Maxi_WhatDo_01_00"); //Já jen něčemu trochu nerozumím. Na co právě ve skutečnosti čekáš? AI_Output(self,other,"DIA_VLK_6133_Maxi_WhatDo_01_01"); //Čekám, až jeden z obchodníků bude potřebovat pomoci. AI_Output(self,other,"DIA_VLK_6133_Maxi_WhatDo_01_03"); //Jsem připravený vzít jakoukoliv jejich špinavou prácičku - v tomto oboru se dost dobře vyznám. AI_Output(other,self,"DIA_VLK_6133_Maxi_WhatDo_01_04"); //Ty se zabýváš obchodem? AI_Output(self,other,"DIA_VLK_6133_Maxi_WhatDo_01_05"); //Samozřejmě! Také umím trochu číst a psát. AI_Output(other,self,"DIA_VLK_6133_Maxi_WhatDo_01_06"); //Proč to prostě neřekneš. AI_Output(self,other,"DIA_VLK_6133_Maxi_WhatDo_01_08"); //Ano. Pracoval jsem už pro jednoho obchodníka, ale nedávno zkrachoval a já zůstal bez práce. AI_Output(self,other,"DIA_VLK_6133_Maxi_WhatDo_01_10"); //A proto hledám někoho nového, kdo by mě zaměstnal. AI_Output(other,self,"DIA_VLK_6133_Maxi_WhatDo_01_11"); //Všemu rozumím. Ale já si myslím, že tu budeš stát ještě dlouho. AI_Output(self,other,"DIA_VLK_6133_Maxi_WhatDo_01_12"); //Co? Pakuj se odsud! Adanuv hněv na tebe. AI_StopProcessInfos(self); }; instance DIA_VLK_6133_MAXI_PERM(C_Info) { npc = vlk_6133_maxi; nr = 2; condition = dia_vlk_6133_maxi_perm_condition; information = dia_vlk_6133_maxi_perm_info; permanent = TRUE; description = "Jak to jde?"; }; func int dia_vlk_6133_maxi_perm_condition() { if(Npc_KnowsInfo(other,dia_vlk_6133_maxi_whatdo) && (FINDPERSONTWO == FALSE)) { return TRUE; }; }; func void dia_vlk_6133_maxi_perm_info() { AI_Output(other,self,"DIA_VLK_6133_Maxi_Perm_01_00"); //Jak to jde? AI_Output(self,other,"DIA_VLK_6133_Maxi_Perm_01_01"); //A proč se zajímáš? AI_Output(other,self,"DIA_VLK_6133_Maxi_Perm_01_02"); //Možná mám pro tebe práci. AI_Output(self,other,"DIA_VLK_6133_Maxi_Perm_01_03"); //Stejný obor? A jakou? AI_Output(other,self,"DIA_VLK_6133_Maxi_Perm_01_04"); //Dobrá otázka. Budu o tom přemýšlet... AI_Output(self,other,"DIA_VLK_6133_Maxi_Perm_01_05"); //Dej si odchod. Co jsem ti udělal, že mi musíš neustále lézt na nervy? AI_StopProcessInfos(self); }; instance DIA_VLK_6133_MAXI_HIRE(C_Info) { npc = vlk_6133_maxi; nr = 2; condition = dia_vlk_6133_maxi_hire_condition; information = dia_vlk_6133_maxi_hire_info; permanent = FALSE; description = "Mám pro tebe práci."; }; func int dia_vlk_6133_maxi_hire_condition() { if(Npc_KnowsInfo(other,dia_vlk_6133_maxi_whatdo) && (MIS_TRADEHELPER == LOG_Running)) { return TRUE; }; }; func void dia_vlk_6133_maxi_hire_info() { AI_Output(other,self,"DIA_VLK_6133_Maxi_Hire_01_00"); //Mám pro tebe práci. AI_Output(self,other,"DIA_VLK_6133_Maxi_Hire_01_01"); //Jo? A co mi můžeš nabídnout? AI_Output(other,self,"DIA_VLK_6133_Maxi_Hire_01_03"); //Jeden vlivný obchodník v horní čtvrti hledá člověka na pozici jeho pomocníka. AI_Output(other,self,"DIA_VLK_6133_Maxi_Hire_01_04"); //Práce spočívá v tom, dělat pro něj různou těžkou práci a pomáhat mu vést obchod AI_Output(self,other,"DIA_VLK_6133_Maxi_Hire_01_05"); //Ohó! To fakt nezní špatně! AI_Output(other,self,"DIA_VLK_6133_Maxi_Hire_01_06"); //Myslel jsem, že by se mu tvoje pomoc mohla hodit. AI_Output(self,other,"DIA_VLK_6133_Maxi_Hire_01_07"); //To je vyníkající nabídka! Můžeš počítat, že máš můj souhlas v kapse. AI_Output(other,self,"DIA_VLK_6133_Maxi_Hire_01_08"); //Dobře! Ale pro začátek mi řekni, co umíš? AI_Output(self,other,"DIA_VLK_6133_Maxi_Hire_01_09"); //Jak už jsem ti říkal, pracoval jsem pro jednoho obchodníka a celkově byl s mou prací spokojen. AI_Output(self,other,"DIA_VLK_6133_Maxi_Hire_01_10"); //Umím trochu číst a psát a v tomto oboru to mnoho značí! AI_Output(self,other,"DIA_VLK_6133_Maxi_Hire_01_11"); //Mimoto, se nestydím ani špinavější prácičky dělníka nebo poslíčka. Můžu dělat vše! AI_Output(other,self,"DIA_VLK_6133_Maxi_Hire_01_12"); //To fakt nezní špatné. AI_Output(other,self,"DIA_VLK_6133_Maxi_Hire_01_14"); //Ještě si to promyslím, ale s největší pravděpodobností se za tebou vrátím. AI_Output(self,other,"DIA_VLK_6133_Maxi_Hire_01_15"); //Dobře, ale nepřemýšlej dlouho. Takových pracovníků jako já, na cestě nenajdeš. B_LogEntry(TOPIC_TRADEHELPER,"Maxi souhlasil s prací Luterova pomocníka. I když, možná ještě někdo jiný přistoupí na tuto práci."); MAXIAGREE = TRUE; AI_StopProcessInfos(self); }; instance DIA_VLK_6133_MAXI_HIREOK(C_Info) { npc = vlk_6133_maxi; nr = 2; condition = dia_vlk_6133_maxi_hireok_condition; information = dia_vlk_6133_maxi_hireok_info; permanent = FALSE; description = "Pojďme za tím obchodníkem."; }; func int dia_vlk_6133_maxi_hireok_condition() { if((MAXIAGREE == TRUE) && (MIS_TRADEHELPER == LOG_Running) && (FINDPERSONONE == FALSE) && (FINDPERSONTWO == FALSE) && (FINDPERSONTHREE == FALSE)) { return TRUE; }; }; func void dia_vlk_6133_maxi_hireok_info() { AI_Output(other,self,"DIA_VLK_6133_Maxi_HireOk_01_00"); //Pojďme za tím obchodníkem. AI_Output(other,self,"DIA_VLK_6133_Maxi_HireOk_01_01"); //Myslím, že ty jsi ta osoba, kterou ten obchodník potřebuje. AI_Output(self,other,"DIA_VLK_6133_Maxi_HireOk_01_02"); //Výborně! Jdeme! B_LogEntry(TOPIC_TRADEHELPER,"Rozhodl jsem se vybrat Maxiho. Docela se vyzná v práci, která mu bude nabídnuta. Doufám, že Lutero ocení můj výběr."); AI_StopProcessInfos(self); self.aivar[AIV_PARTYMEMBER] = TRUE; FINDPERSONTWO = TRUE; Npc_ExchangeRoutine(self,"FOLLOW"); }; instance DIA_VLK_6133_MAXI_THANKS(C_Info) { npc = vlk_6133_maxi; nr = 2; condition = dia_vlk_6133_maxi_thanks_condition; information = dia_vlk_6133_maxi_thanks_info; permanent = FALSE; important = TRUE; }; func int dia_vlk_6133_maxi_thanks_condition() { if(MAXIHIRED == TRUE) { return TRUE; }; }; func void dia_vlk_6133_maxi_thanks_info() { AI_Output(self,other,"DIA_VLK_6133_Maxi_Thanks_01_00"); //Chtěl bych ti poděkovat, že jsi mi pomohl sehnat tuhle práci! AI_Output(other,self,"DIA_VLK_6133_Maxi_Thanks_01_01"); //Doufám, že mi nedáš důvod přemýšlet, že jsem udělal chybu, když jsem tě Luterovi navrhl. AI_Output(self,other,"DIA_VLK_6133_Maxi_Thanks_01_02"); //Ne, co si myslíš! Budu svou práci dělat tak dobře jak jen dovedu... AI_StopProcessInfos(self); }; instance DIA_VLK_6133_MAXI_NEWLIFE(C_Info) { npc = vlk_6133_maxi; nr = 2; condition = dia_vlk_6133_maxi_newlife_condition; information = dia_vlk_6133_maxi_newlife_info; permanent = TRUE; description = "Nějaké problémy?"; }; func int dia_vlk_6133_maxi_newlife_condition() { if(MAXIHIRED == TRUE) { return TRUE; }; }; func void dia_vlk_6133_maxi_newlife_info() { AI_Output(other,self,"DIA_VLK_6133_Maxi_NewLife_01_00"); //Jak to jde? AI_Output(self,other,"DIA_VLK_6133_Maxi_NewLife_01_01"); //Výborně! Všichni jsou spokojení. AI_StopProcessInfos(self); }; instance DIA_VLK_6133_MAXI_PICKPOCKET(C_Info) { npc = vlk_6133_maxi; nr = 900; condition = dia_vlk_6133_maxi_pickpocket_condition; information = dia_vlk_6133_maxi_pickpocket_info; permanent = TRUE; description = PICKPOCKET_COMM; }; func int dia_vlk_6133_maxi_pickpocket_condition() { return C_Beklauen(60,90); }; func void dia_vlk_6133_maxi_pickpocket_info() { Info_ClearChoices(dia_vlk_6133_maxi_pickpocket); Info_AddChoice(dia_vlk_6133_maxi_pickpocket,Dialog_Back,dia_vlk_6133_maxi_pickpocket_back); Info_AddChoice(dia_vlk_6133_maxi_pickpocket,DIALOG_PICKPOCKET,dia_vlk_6133_maxi_pickpocket_doit); }; func void dia_vlk_6133_maxi_pickpocket_doit() { B_Beklauen(); Info_ClearChoices(dia_vlk_6133_maxi_pickpocket); }; func void dia_vlk_6133_maxi_pickpocket_back() { Info_ClearChoices(dia_vlk_6133_maxi_pickpocket); };
D
/// When things go wrong.... module mecca.lib.exception; // Licensed under the Boost license. Full copyright information in the AUTHORS file public import core.exception: AssertError, RangeError; public import std.exception: ErrnoException; import std.algorithm : min; import std.traits; import core.exception: assertHandler; import core.runtime: Runtime, defaultTraceHandler; import mecca.log; import mecca.lib.reflection: as; import mecca.lib.string : nogcFormat, nogcRtFormat; // Disable tracing instrumentation for the whole file @("notrace") void traceDisableCompileTimeInstrumentation(); private extern(C) nothrow @nogc { int backtrace(void** buffer, int size); static if (__VERSION__ < 2077) { pragma(mangle, "_D4core7runtime19defaultTraceHandlerFPvZ16DefaultTraceInfo6__ctorMFZC4core7runtime19defaultTraceHandlerFPvZ16DefaultTraceInfo") void defaultTraceInfoCtor(Object); } else { pragma(mangle, "_D4core7runtime19defaultTraceHandlerFPvZ16DefaultTraceInfo6__ctorMFZCQCpQCnQCiFQBqZQBr") void defaultTraceInfoCtor(Object); } } private __gshared static TypeInfo_Class defaultTraceTypeInfo; shared static this() { defaultTraceTypeInfo = typeid(cast(Object)defaultTraceHandler(null)); assert(defaultTraceTypeInfo.name == "core.runtime.defaultTraceHandler.DefaultTraceInfo", defaultTraceTypeInfo.name); assert(defaultTraceTypeInfo.initializer.length <= ExcBuf.MAX_TRACEBACK_SIZE); assert(DefaultTraceInfoABI.sizeof <= defaultTraceTypeInfo.initializer.length); version (unittest) {} else { assertHandler = &assertHandlerImpl; } } extern(C) private void ALREADY_EXTRACTING_STACK() { assert (false, "you're not supposed to call this function"); } /** * Extract the stack backtrace. * * The pointers returned from the function are one less than the actual number. This is so that a symbol lookup will report the * correct function even when the call to _d_throw_exception was the last thing in it. * * Params: * callstack = range to receive the call stack pointers * skip = number of near frames to skip. * * Retruns: * Range where the actual pointers reside. */ void*[] extractStack(void*[] callstack, size_t skip = 0) nothrow @trusted @nogc { /* thread local */ static bool alreadyExtractingStack = false; if (alreadyExtractingStack) { // stack extraction is apparently non re-entrant, and because we want signal handlers // to be able to use this function, we just return a mock stack in this case. callstack[0] = &ALREADY_EXTRACTING_STACK; callstack[1] = &ALREADY_EXTRACTING_STACK; callstack[2] = &ALREADY_EXTRACTING_STACK; callstack[3] = null; return callstack[0 .. 4]; } alreadyExtractingStack = true; scope(exit) alreadyExtractingStack = false; auto numFrames = backtrace(callstack.ptr, cast(int)callstack.length); auto res = callstack[skip .. numFrames]; // Adjust the locations by one byte so they point inside the function (as // required by backtrace_symbols) even if the call to _d_throw_exception // was the very last instruction in the function. foreach (ref c; res) { c -= 1; } return res; } struct DefaultTraceInfoABI { import mecca.lib.reflection: isVersion; void* _vtbl; void* _monitor; void* _interface; // introduced in DMD 2.071 // make sure the ABI matches static assert ({static interface I {} static class C: I {} return __traits(classInstanceSize, C);}() == (void*[3]).sizeof); int numframes; void*[0] callstack; static DefaultTraceInfoABI* extract(Throwable.TraceInfo traceInfo) nothrow @trusted @nogc { auto obj = cast(Object)traceInfo; assert (typeid(obj).name == "core.runtime.defaultTraceHandler.DefaultTraceInfo", typeid(obj).name); return cast(DefaultTraceInfoABI*)(cast(void*)obj); } static DefaultTraceInfoABI* extract(Throwable ex) nothrow @safe @nogc { return extract(ex.info); } @property void*[] frames() nothrow @trusted @nogc { return callstack.ptr[0 .. numframes]; } } /// Static buffer for storing no GC exceptions struct ExcBuf { enum MAX_EXCEPTION_INSTANCE_SIZE = 256; enum MAX_EXCEPTION_MESSAGE_SIZE = 256; enum MAX_TRACEBACK_SIZE = 1064; ubyte[MAX_EXCEPTION_INSTANCE_SIZE] ex; ubyte[MAX_TRACEBACK_SIZE] ti; char[MAX_EXCEPTION_MESSAGE_SIZE] msgBuf; /// Get the Throwable stored in the buffer Throwable get() nothrow @trusted @nogc { if (*(cast(void**)ex.ptr) is null) { return null; } return cast(Throwable)ex.ptr; } /// Set the exception that buffer is to hold. Throwable set(Throwable t, bool setTraceback = false) nothrow @trusted @nogc { static assert (this.ex.offsetof == 0); if (t is null) { *(cast(void**)ex.ptr) = null; return null; } if (t is get()) { // don't assign to yourself to yourself if (setTraceback) { this.setTraceback(t); } return t; } auto len = typeid(t).initializer.length; ex[0 .. len] = (cast(ubyte*)t)[0 .. len]; auto tobj = cast(Throwable)ex.ptr; if (setTraceback) { this.setTraceback(t); } else { if (t.info is null) { tobj.info = null; *(cast(void**)ti.ptr) = null; } else { auto tinfo = cast(Object)t.info; assert (tinfo !is null, "casting TraceInfo to Object failed"); len = typeid(tinfo).m_init.length; ti[0 .. len] = (cast(ubyte*)tinfo)[0 .. len]; tobj.info = cast(Throwable.TraceInfo)(cast(Object)ti.ptr); } } setMsg(t.msg, t); return tobj; } /** * set a Throwable's backtrace to the current point. * * Params: * tobj = the Throwable which backtrace to set. If null, set the buffer's Throwable (which must not be null). */ void setTraceback(Throwable tobj) nothrow @trusted @nogc { if (tobj is null) { tobj = get(); assert (tobj !is null, "setTraceback of unset exception"); } ti[0 .. DefaultTraceInfoABI.sizeof] = cast(ubyte[])(defaultTraceTypeInfo.initializer[0 .. DefaultTraceInfoABI.sizeof]); auto tinfo = cast(Object)ti.ptr; defaultTraceInfoCtor(tinfo); tobj.info = cast(Throwable.TraceInfo)tinfo; } /** * Construct a throwable in place * * Params: * file = the reported source file of the exception * line = the reported source file line of the exception * setTraceback = whether to set the stack trace * args = arguments to pass to the exception's constructor */ T construct(T:Throwable, A...)(string file, size_t line, bool setTraceback, auto ref A args) nothrow @trusted @nogc { T t = constructHelper!T(file, line, setTraceback, args); setMsg(t.msg, t); return t; } /** * Construct a Throwable, formatting the message * * Construct a `Throwable` that has a constructor that accepts a single string argument (such as `Exception`). Allows * formatting arguments into the string in a non GC way. * * Second form of the function receives the string as a template argument, and verifies that the arguments match the * format string. */ T constructFmt(T: Throwable = Exception, A...)(string file, size_t line, string fmt, auto ref A args) @trusted { auto tmpMsg = nogcRtFormat(msgBuf[], fmt, args); return constructHelper!T(file, line, true, tmpMsg); } unittest { ExcBuf ex; ex.constructFmt!Exception("file.d", 31337, "%s was a %s %s", "pappa", "rolling", "stoner"); assert( ex.get().msg=="pappa was a rolling stoner" ); } /// ditto T constructFmt(string fmt, T: Throwable = Exception, A...)(string file, size_t line, auto ref A args) @trusted { auto tmpMsg = nogcFormat!fmt(msgBuf[], args); return constructHelper!T(file, line, true, tmpMsg); } unittest { ExcBuf ex; ex.constructFmt!("I'm %s in %s", Exception)("file.d", 31337, "an Englishman", "New York"); assert( ex.get().msg=="I'm an Englishman in New York" ); static assert( !__traits(compiles, ex.constructFmt!("No arguments, please", Exception)("file.d", 31337, "An argument")) ); } void setMsg(const(char)[] msg2, Throwable tobj = null) nothrow @nogc { if (tobj is null) { tobj = get(); assert (tobj); } if (msg2 is null || msg2.length == 0) { tobj.msg = null; } else if (msg2.length > msgBuf.length) { msgBuf[] = msg2[0 .. msgBuf.length]; tobj.msg = cast(string)msgBuf[]; } else { msgBuf[0 .. msg2.length] = msg2[]; tobj.msg = cast(string)msgBuf[0 .. msg2.length]; } } static bool isGCException(Throwable ex) { import core.memory: GC; return GC.addrOf(cast(void*)ex) !is null; } static Throwable toGC(Throwable ex, bool forceCopy=false) { if (!forceCopy && isGCException(ex)) { // already GC-allocated return ex; } auto buf = new ExcBuf; return buf.set(ex); } private: T constructHelper(T:Throwable, A...)( string file, size_t line, bool setTraceback, auto ref A args) nothrow @trusted @nogc { static assert (__traits(classInstanceSize, T) <= ExcBuf.MAX_EXCEPTION_INSTANCE_SIZE); // create the exception ex[0 .. __traits(classInstanceSize, T)] = cast(ubyte[])typeid(T).initializer[]; auto t = cast(T)ex.ptr; as!"nothrow @nogc"({t.__ctor(args);}); t.file = file; t.line = line; t.info = null; if (setTraceback) { this.setTraceback(t); } return t; } } /* thread local*/ static ExcBuf _tlsExcBuf; /* thread local*/ static ExcBuf* _currExcBuf; /* thread local*/ static this() {_currExcBuf = &_tlsExcBuf;} void switchCurrExcBuf(ExcBuf* newCurrentExcBuf) nothrow @safe @nogc { if (newCurrentExcBuf !is null) _currExcBuf = newCurrentExcBuf; else _currExcBuf = &_tlsExcBuf; } T mkEx(T: Throwable, string file = __FILE__, size_t line = __LINE__, A...)(auto ref A args) @safe @nogc { version(LDC) // Must inline because of __FILE__ as template parameter. https://github.com/ldc-developers/ldc/issues/1703 pragma(inline, true); return mkExLine!T(file, line, args); } T mkExLine(T: Throwable, A...)(string file, size_t line, auto ref A args) @safe @nogc { return _currExcBuf.construct!T(file, line, true, args); } T mkExFmt(T: Throwable, string file = __FILE__, size_t line = __LINE__, A...)(string fmt, auto ref A args) @safe @nogc { version(LDC) // Must inline because of __FILE__ as template parameter. https://github.com/ldc-developers/ldc/issues/1703 pragma(inline, true); return _currExcBuf.constructFmt!T(file, line, fmt, args); } T mkExFmt(string fmt, T: Throwable = Exception, string file = __FILE__, size_t line = __LINE__, A...)(auto ref A args) @safe @nogc { version(LDC) // Must inline because of __FILE__ as template parameter. https://github.com/ldc-developers/ldc/issues/1703 pragma(inline, true); return _currExcBuf.constructFmt!(fmt, T)(file, line, args); } Throwable setEx(Throwable ex, bool setTraceback = false) nothrow @safe @nogc { return _currExcBuf.set(ex, setTraceback); } RangeError rangeError(K, string file=__FILE__, size_t line=__LINE__)(K key, string msg = "Index/key not found") { version(LDC) // Must inline because of __FILE__ as template parameter. https://github.com/ldc-developers/ldc/issues/1703 pragma(inline, true); static if ( __traits(compiles, sformat(null, "%s", key))) { return mkExFmt!("%s: %s", RangeError, file, line)(msg, key); } else { return mkExFmt!("%s: %s", RangeError, file, line)(msg, K.stringof); } } void enforceFmt(T: Throwable = Exception, string file = __FILE__, size_t line = __LINE__, A...)( bool cond, string fmt, auto ref A args) @safe @nogc { version(LDC) // Must inline because of __FILE__ as template parameter. https://github.com/ldc-developers/ldc/issues/1703 pragma(inline, true); if (!cond) { throw mkExFmt!(T, file, line)(fmt, args); } } mixin template ExceptionBody(string msg) { this(string file = __FILE__, size_t line = __LINE__, Throwable next = null) @safe pure nothrow @nogc { super(msg, file, line, next); } } mixin template ExceptionBody() { this(string msg, string file = __FILE__, size_t line = __LINE__, Throwable next = null) @safe pure nothrow @nogc { super(msg, file, line, next); } /+import mecca.lib.exception: ExcBuf; __gshared static ExcBuf* _singletonExBuf; shared static this() { _singletonExBuf = new ExcBuf; } @("notrace") static typeof(this) singleton(string file = __FILE__, size_t line = __LINE__) { import mecca.tracing.api: LOG_TRACEBACK; auto ex = _singletonExBuf.construct!(typeof(this))(file, line, true, (staticMsg.length == 0 ? typeof(this).stringof : staticMsg)); LOG_TRACEBACK(ex); return ex; }+/ } unittest { import std.stdio; class MyException: Exception {mixin ExceptionBody;} class YourException: Exception {mixin ExceptionBody;} bool thrown1 = false; try { throw mkEx!MyException("hello world"); } catch (MyException ex) { assert (ex.msg == "hello world"); thrown1 = true; } assert (thrown1); auto ex2 = new YourException("foo bar"); bool thrown2 = false; try { throw setEx(ex2); } catch (YourException ex) { assert (ex !is ex2); assert(ex.msg == "foo bar"); thrown2 = true; } assert (thrown2); } private @notrace void assertHandlerImpl(string file, size_t line, string msg) nothrow @nogc { pragma(inline, true); DIE(msg, file, line); } void function(string msg, string file, size_t line) blowUpHandler; @notrace void DIE(string msg, string file = __FILE__, size_t line = __LINE__, bool doAbort=false) nothrow @nogc { import core.sys.posix.unistd: write, _exit; import core.stdc.stdlib: abort; import core.atomic: cas; // block threads racing into this function shared static bool recLock = false; while (!cas(&recLock, false, true)) {} __gshared static ExcBuf excBuf; as!"nothrow @nogc"({ if( loggingInitialized ) { META!"Assertion failure(%s:%s) %s"(file, line, msg); flushLog(); } auto ex = excBuf.construct!AssertError(file, line, true, msg); ex.toString((text){write(2, text.ptr, text.length);}); if (doAbort) { abort(); } else { _exit(1); } }); assert(false); } void ABORT(string msg, string file = __FILE__, size_t line = __LINE__) nothrow @nogc { DIE(msg, file, line, true); } void ASSERT (string fmt, string file = __FILE__, string mod = __MODULE__, size_t line = __LINE__, T...) (bool cond, scope lazy T args) pure nothrow @trusted @nogc { version(LDC) // Must inline because of __FILE__ as template parameter. https://github.com/ldc-developers/ldc/issues/1703 pragma(inline, true); if (cond) { return; } scope f = () { META!("ASSERT at %s:%s")(file, line); static if( !LogToConsole ) { // Also log to stderr, as the logger doesn't do that for us. import std.stdio: stderr; stderr.writefln( "Assertion failure at %s:%s: " ~ fmt, file, line, args ); } }; as!"@nogc pure nothrow"(f); version(unittest ){ as!"@nogc pure nothrow"({ import std.string: format; throw new AssertError( format("Assertion failure: " ~ fmt, args), file, line); }); } else { as!"@nogc pure nothrow"({ import std.string: format; DIE(format( "Assertion failure: " ~ fmt, args), file, line); }); } } void enforceNGC(Ex : Throwable = Exception, string file = __FILE__, size_t line = __LINE__) (bool value, scope lazy string msg = null) @trusted @nogc { version(LDC) // Must inline because of __FILE__ as template parameter. https://github.com/ldc-developers/ldc/issues/1703 pragma(inline, true); if( !value ) { string evaluatedMsg; as!"@nogc"({evaluatedMsg = msg;}); throw mkEx!Ex(evaluatedMsg, file, line); } } void errnoEnforceNGC(string file = __FILE__, size_t line = __LINE__) (bool value, scope lazy string msg = null) @trusted @nogc { version(LDC) // Must inline because of __FILE__ as template parameter. https://github.com/ldc-developers/ldc/issues/1703 pragma(inline, true); as!"@nogc"({ enforceNGC!(ErrnoException, file, line)(value, msg); }); } version(assert) { alias DBG_ASSERT = ASSERT; } else { void DBG_ASSERT(string fmt, string file = __FILE__, size_t line = __LINE__, T...)(scope lazy bool cond, scope lazy T args) @nogc { pragma(inline, true); } } unittest { ASSERT!"oh no: %s"(true, "foobar"); } // // useful assert variants // @notrace void assertOp(string op, L, R, string file = __FILE__, string mod = __MODULE__, size_t line = __LINE__) (L lhs, R rhs, string msg="") nothrow { version(LDC) // Must inline because of __FILE__ as template parameter. https://github.com/ldc-developers/ldc/issues/1703 pragma(inline, true); static assert( !is(Unqual!LHS == enum) || is(Unqual!LHS == Unqual!RHS), "comparing different enums is unsafe: " ~ LHS.stringof ~ " != " ~ RHS.stringof); import std.meta: staticIndexOf; enum idx = staticIndexOf!(op, "==", "!=", ">", "<", ">=", "<=", "in", "!in", "is", "!is"); static assert (idx >= 0, "assertOp called with operation \"" ~ op ~ "\" which is not supported"); enum inverseOp = ["!=", "==", "<=", ">=", "<", ">", "!in", "in", "!is", "is"][idx]; auto lhsVal = lhs; auto rhsVal = rhs; ASSERT!("%s %s %s %s", file, mod, line)(mixin("lhsVal " ~ op ~ " rhsVal"), lhs, inverseOp, rhs, msg); } @notrace void assertEQ(L, R, string file = __FILE__, string mod = __MODULE__, size_t line = __LINE__)(L lhs, R rhs, string msg="") nothrow { assertOp!("==", L, R, file, mod, line)(lhs, rhs, msg); } @notrace void assertNE(L, R, string file = __FILE__, string mod = __MODULE__, size_t line = __LINE__)(L lhs, R rhs, string msg="") nothrow { assertOp!("!=", L, R, file, mod, line)(lhs, rhs, msg); } @notrace void assertGT(L, R, string file = __FILE__, string mod = __MODULE__, size_t line = __LINE__)(L lhs, R rhs, string msg="") nothrow { assertOp!(">", L, R, file, mod, line)(lhs, rhs, msg); } @notrace void assertGE(L, R, string file = __FILE__, string mod = __MODULE__, size_t line = __LINE__)(L lhs, R rhs, string msg="") nothrow { assertOp!(">=", L, R, file, mod, line)(lhs, rhs, msg); } @notrace void assertLT(L, R, string file = __FILE__, string mod = __MODULE__, size_t line = __LINE__)(L lhs, R rhs, string msg="") nothrow { assertOp!("<", L, R, file, mod, line)(lhs, rhs, msg); } @notrace void assertLE(L, R, string file = __FILE__, string mod = __MODULE__, size_t line = __LINE__)(L lhs, R rhs, string msg="") nothrow { assertOp!("<=", L, R, file, mod, line)(lhs, rhs, msg); } version(unittest) { void assertThrows(T = Throwable, E, string file = __FILE__, string mod = __MODULE__, size_t line = __LINE__)(scope lazy E expr) { try { expr(); } catch (Throwable ex) { ASSERT!("Threw %s instead of %s", file, mod, line)(cast(T)ex !is null, typeid(ex).name, T.stringof); return; } ASSERT!("Did not throw", file, mod, line)(false); } } unittest { assertEQ(7, 7); assertNE(7, 17); assertThrows(assertEQ(7, 17)); } int errnoCall(alias F, string file=__FILE__, size_t line=__LINE__)(Parameters!F args) @nogc if (is(ReturnType!F == int)) { version(LDC) // Must inline because of __FILE__ as template parameter. https://github.com/ldc-developers/ldc/issues/1703 pragma(inline, true); int res = F(args); if (res < 0) { import std.range: repeat; import std.string; enum fmt = __traits(identifier, F) ~ "(" ~ "%s".repeat(args.length).join(", ") ~ ")"; throw mkExFmt!(fmt, ErrnoException, file, line)(args); } return res; } unittest { import core.sys.posix.unistd: dup, close; auto newFd = errnoCall!dup(1); assert (newFd >= 0); errnoCall!close(newFd); // double close will throw assertThrows!ErrnoException(errnoCall!close(newFd)); }
D
// REQUIRED_ARGS: -unittest // https://issues.dlang.org/show_bug.cgi?id=4375 // disallow dangling else void main() { if (true) { if (false) { assert(1); } else { assert(2); } } if (true) { if (false) assert(7); } else assert(8); if (true) { if (false) assert(9); else assert(10); } { if (true) assert(11); else assert(12); } { label1: if (true) assert(13); else assert(14); } if (true) foreach (i; 0 .. 5) { if (true) assert(17); else assert(18); } if (true) { foreach (i; 0 .. 5) if (true) assert(18.1); } else assert(18.2); if (true) assert(19); else assert(20); if (true) assert(21); else if (false) assert(22); else assert(23); version (A) { if (true) assert(26); } else assert(27); version (A) { if (true) assert(28); else assert(29); } version (A) assert(30); else version (B) assert(31); else assert(32); static if (true) { static if (true) assert(35); } else assert(36); static if (true) { static if (true) assert(37); else assert(38); } static if (true) assert(39); else static if (true) assert(40); else assert(41); switch (4) { case 0: if (true) assert(42); else assert(43); break; case 1: .. case 5: if (true) assert(44); else assert(45); break; default: if (true) assert(46); else assert(47); break; } // (o_O) switch (1) default: if (true) assert(113); else assert(114); // (o_O) final switch (1) case 1: if (true) assert(117); else assert(118); mixin(q{ if (true) assert(56); else assert(57); }); while (false) if (true) assert(66); else assert(67); if (true) while (false) assert(68); else assert(69); do if (true) assert(72); else assert(73); while (false); if (true) do if (true) assert(74); else assert(75); while (false); for ( if (true) // (o_O) assert(78); else assert(79); false; false ) if (true) assert(80); else assert(81); if (true) for (if (true) assert(84); else assert(85); false;) assert(86); if (true) if (true) if (true) if (true) if (true) assert(87); auto x = new C; if (true) while (false) for (;;) scope (exit) synchronized (x) assert(88); else assert(89); if (true) while (false) for (;;) { scope (exit) synchronized (x) if (true) assert(90); else assert(89); } if (true) while (false) for (;;) scope (exit) synchronized (x) if (true) assert(90); else assert(89); else assert(12); with (x) if (false) assert(92); else assert(93); try if (true) assert(94); else assert(95); catch (Exception e) if (true) assert(96); else assert(97); finally if (true) assert(98); else assert(99); if (true) try if (true) assert(100); else assert(101); finally assert(102); if (true) try assert(109); catch(Exception e) if (true) assert(110); else assert(112); finally assert(111); static struct F { static if (true) int x; else int y; static if (true) { static if (false) int z; } else int w; static if (true) int t; else static if (false) int u; else int v; } if (true) if (true) assert(113); else assert(114); else assert(115); static if (true) static if (true) assert(116); else assert(117); else assert(118); } unittest { if (true) assert(50); else assert(51); } class C { invariant() { if (true) assert(58); else assert(59); } int f() in { if (true) assert(60); else assert(61); } out(res) { if (true) assert(62); else assert(63); } do { if (true) assert(64); else assert(65); return 0; } } enum q = q{ if(true) if(true) assert(54.1); else assert(55.2); }; static if (true) struct F0 {} else static if (true) struct F1 {} else struct F2 {} static if (true) { static if (false) struct F3 {} } else struct F4 {} version(A) { version(B) struct F5 {} } else struct F6 {} version(A) { version(B) struct F5a {} else struct F5b {} } version (C) struct F5c {} else struct F5d {} struct F7 { static if (true) int x; else float x; private: static if (true) int y; else float y; } template F8() { static if (true) int x; else float x; } static if (true) align(1) static if (false) struct F9 {} static if (true) align(1) { extern(C) pure static if (false) void F10(){} else void F11(){} } void f() { int[] x; static if (5 > 0) version (Y) scope (failure) foreach (i, e; x) while (i > 20) with (e) if (e < 0) synchronized(e) assert(1); else assert(2); else x = null; else x = null; }
D
instance Info_Grd_6_EXIT(C_Info) { nr = 999; condition = Info_Grd_6_EXIT_Condition; information = Info_Grd_6_EXIT_Info; permanent = 1; description = DIALOG_ENDE; }; func int Info_Grd_6_EXIT_Condition() { return 1; }; func void Info_Grd_6_EXIT_Info() { AI_StopProcessInfos(self); }; instance Info_Grd_6_EinerVonEuchWerden(C_Info) { nr = 1; condition = Info_Grd_6_EinerVonEuchWerden_Condition; information = Info_Grd_6_EinerVonEuchWerden_Info; permanent = 1; description = "Вам нужны люди?"; }; func int Info_Grd_6_EinerVonEuchWerden_Condition() { if((Npc_GetTrueGuild(other) != GIL_GRD) && (Npc_GetTrueGuild(other) != GIL_KDF) && !C_NpcBelongsToNewCamp(other) && !C_NpcBelongsToPsiCamp(other)) { return TRUE; }; }; func void Info_Grd_6_EinerVonEuchWerden_Info() { AI_Output(other,self,"Info_Grd_6_EinerVonEuchWerden_15_00"); //Вам нужны люди? AI_Output(self,other,"Info_Grd_6_EinerVonEuchWerden_06_01"); //Ты недавно в колонии, да? Если ты ищешь лагерь, к которому хочешь присоединиться, поговори с сектантами. Они берут всех без разбора. AI_Output(self,other,"Info_Grd_6_EinerVonEuchWerden_06_02"); //В наш лагерь не принимают кого попало... Конечно, если ты не хочешь пойти поработать в шахте! }; instance Info_Grd_6_WichtigePersonen(C_Info) { nr = 1; condition = Info_Grd_6_WichtigePersonen_Condition; information = Info_Grd_6_WichtigePersonen_Info; permanent = 1; description = "Кто здесь командует?"; }; func int Info_Grd_6_WichtigePersonen_Condition() { return 1; }; func void Info_Grd_6_WichtigePersonen_Info() { var C_Npc Thorus; AI_Output(other,self,"Info_Grd_6_WichtigePersonen_15_00"); //Кто здесь командует? AI_Output(self,other,"Info_Grd_6_WichtigePersonen_06_01"); //Торус следит за порядком. Он подчиняется Гомезу. Thorus = Hlp_GetNpc(GRD_200_Thorus); Thorus.aivar[AIV_FINDABLE] = TRUE; }; instance Info_Grd_6_DasLager(C_Info) { nr = 1; condition = Info_Grd_6_DasLager_Condition; information = Info_Grd_6_DasLager_Info; permanent = 1; description = "Я новенький."; }; func int Info_Grd_6_DasLager_Condition() { if(!C_NpcBelongsToOldCamp(other) && !C_NpcBelongsToNewCamp(other) && !C_NpcBelongsToPsiCamp(other)) { return 1; }; }; func void Info_Grd_6_DasLager_Info() { AI_Output(other,self,"Info_Grd_6_DasLager_15_00"); //Я новенький. AI_Output(self,other,"Info_Grd_6_DasLager_06_01"); //Да, я вижу. AI_Output(other,self,"Info_Grd_6_DasLager_15_02"); //Каковы здешние порядки? AI_Output(self,other,"Info_Grd_6_DasLager_06_03"); //Не создавай нам проблем, и тебя никто не тронет. Info_ClearChoices(Info_Grd_6_DasLager); Info_AddChoice(Info_Grd_6_DasLager,"Ясно.",Info_Grd_6_DasLager_Verstehe); Info_AddChoice(Info_Grd_6_DasLager,"А что ты имеешь в виду, говоря о проблемах?",Info_Grd_6_DasLager_WasIstAerger); }; func void Info_Grd_6_DasLager_Verstehe() { AI_Output(other,self,"Info_Grd_6_DasLager_Verstehe_15_00"); //Ясно. Info_ClearChoices(Info_Grd_6_DasLager); }; func void Info_Grd_6_DasLager_WasIstAerger() { AI_Output(other,self,"Info_Grd_6_DasLager_WasIstAerger_15_00"); //А что ты имеешь в виду, говоря о проблемах? AI_Output(self,other,"Info_Grd_6_DasLager_WasIstAerger_06_01"); //Большинство рудокопов платит нам, а мы их защищаем. AI_Output(self,other,"Info_Grd_6_DasLager_WasIstAerger_06_02"); //Если ты обидишь кого-то из них, будешь иметь дело с нами. AI_Output(self,other,"Info_Grd_6_DasLager_WasIstAerger_06_03"); //А если я замечу тебя в чужой хижине, то... AI_Output(other,self,"Info_Grd_6_DasLager_WasIstAerger_15_04"); //Хорошо, хорошо. Я все понял. Info_ClearChoices(Info_Grd_6_DasLager); }; instance Info_Grd_6_DieLage(C_Info) { nr = 1; condition = Info_Grd_6_DieLage_Condition; information = Info_Grd_6_DieLage_Info; permanent = 1; description = "Как дела?"; }; func int Info_Grd_6_DieLage_Condition() { return 1; }; func void Info_Grd_6_DieLage_Info() { AI_Output(other,self,"Info_Grd_6_DieLage_15_00"); //Как дела? AI_Output(self,other,"Info_Grd_6_DieLage_06_01"); //Ищешь неприятностей? }; func void B_AssignAmbientInfos_GRD_6(var C_Npc slf) { B_AssignFindNpc_OC(slf); Info_Grd_6_EXIT.npc = Hlp_GetInstanceID(slf); Info_Grd_6_EinerVonEuchWerden.npc = Hlp_GetInstanceID(slf); Info_Grd_6_WichtigePersonen.npc = Hlp_GetInstanceID(slf); Info_Grd_6_DasLager.npc = Hlp_GetInstanceID(slf); Info_Grd_6_DieLage.npc = Hlp_GetInstanceID(slf); };
D
import std.stdio; import std.conv; import std.math; import std.algorithm; import std.typecons; //Sieve of Eratosthenes, includes limit bool[] Sieve(int limit) { float sqrtLimit = sqrt(to!float(limit)); // true denotes composite number bool[] sieve = new bool[limit - 1]; int[] edit = []; for (auto index = 2; index < sqrtLimit; index++) { if (!sieve[index - 2]) { for (auto i = index; i <= limit / index; i++) { if (!sieve[i - 2]) edit ~= [i * index - 2]; } foreach (comp; edit) sieve[comp] = true; } } return sieve; } //Sieve of Eratosthenes, includes limit Tuple!(bool[], int[]) SieveHash(int limit) { float sqrtLimit = sqrt(to!float(limit)); // true denotes composite number bool[] sieve = new bool[limit - 1]; int[] hash = new int[limit + 1]; int[] edit = []; int last = 0; for (auto index = 2; index < sqrtLimit; index++) { if (!sieve[index - 2]) { hash[index] = index; for (auto i = index; i <= limit / index; i++) { if (!sieve[i - 2]) { edit ~= [i * index - 2]; hash[i * index] = index; } } foreach (comp; edit) sieve[comp] = true; } last = index; } foreach (i; last + 1..limit) { if (!sieve[i - 2]) { hash[i] = i; } } return tuple(sieve, hash); } int[] ShortenSieve(bool[] sieve) { int[] shortened; int count = 0; foreach(i, value; sieve) { if (!value) { count++; } } shortened = new int[count]; int index = 0; foreach(int i, value; sieve) { if (!value) { shortened[index] = i + 2; index++; } } return shortened; } //Sieve out of prime divisor counts int[] DivisorSieve(size_t limit) { float sqrtLimit = sqrt(cast(real)limit); // true denotes composite number int[] sieve = new int[limit - 1]; int[] edit = []; for (auto index = 2; index < sqrtLimit; index++) { if (sieve[index - 2] == 0) { edit = []; for (auto i = 2; i <= limit / index; i++) { edit ~= [i * index - 2]; } foreach (comp; edit) sieve[comp]++; } } return sieve; } //Totient function results from sieve. size_t[] Totient(bool[] sieve, size_t limit) { size_t[] result; result.length = limit - 1; result[] = 1; size_t p; foreach (i, composite; sieve) { if (composite) continue; p = i + 2; for (int power = 1; power <= log10(limit) / log10(p); power++) { size_t p_raised = pow(p, power); for (size_t k = 1; k * p_raised < limit; k++) { if (k % p == 0) continue; result[k * p_raised - 2] *= p_raised / p * (p - 1); } } } return result; }
D
module android.java.android.graphics.drawable.RotateDrawable_d_interface; import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers; static import arsd.jni; import import7 = android.java.android.graphics.Rect_d_interface; import import3 = android.java.android.content.res.Resources_Theme_d_interface; import import4 = android.java.android.graphics.Canvas_d_interface; import import11 = android.java.android.graphics.BlendMode_d_interface; import import18 = android.java.android.util.TypedValue_d_interface; import import1 = android.java.org.xmlpull.v1.XmlPullParser_d_interface; import import0 = android.java.android.content.res.Resources_d_interface; import import9 = android.java.android.graphics.ColorFilter_d_interface; import import13 = android.java.android.graphics.drawable.Drawable_ConstantState_d_interface; import import15 = android.java.android.graphics.PorterDuff_Mode_d_interface; import import8 = android.java.android.graphics.Insets_d_interface; import import2 = android.java.android.util.AttributeSet_d_interface; import import5 = android.java.android.graphics.drawable.Drawable_d_interface; import import10 = android.java.android.content.res.ColorStateList_d_interface; import import19 = android.java.android.graphics.BitmapFactory_Options_d_interface; import import12 = android.java.android.graphics.Outline_d_interface; import import20 = android.java.java.lang.Class_d_interface; import import17 = android.java.java.io.InputStream_d_interface; import import6 = android.java.java.lang.Runnable_d_interface; import import14 = android.java.android.graphics.drawable.Drawable_Callback_d_interface; import import16 = android.java.android.graphics.Region_d_interface; final class RotateDrawable : IJavaObject { static immutable string[] _d_canCastTo = [ ]; @Import this(arsd.jni.Default); @Import void inflate(import0.Resources, import1.XmlPullParser, import2.AttributeSet, import3.Resources_Theme); @Import void applyTheme(import3.Resources_Theme); @Import void draw(import4.Canvas); @Import void setFromDegrees(float); @Import float getFromDegrees(); @Import void setToDegrees(float); @Import float getToDegrees(); @Import void setPivotX(float); @Import float getPivotX(); @Import void setPivotXRelative(bool); @Import bool isPivotXRelative(); @Import void setPivotY(float); @Import float getPivotY(); @Import void setPivotYRelative(bool); @Import bool isPivotYRelative(); @Import void setDrawable(import5.Drawable); @Import import5.Drawable getDrawable(); @Import bool canApplyTheme(); @Import void invalidateDrawable(import5.Drawable); @Import void scheduleDrawable(import5.Drawable, import6.Runnable, long); @Import void unscheduleDrawable(import5.Drawable, import6.Runnable); @Import int getChangingConfigurations(); @Import bool getPadding(import7.Rect); @Import import8.Insets getOpticalInsets(); @Import void setHotspot(float, float); @Import void setHotspotBounds(int, int, int, int); @Import void getHotspotBounds(import7.Rect); @Import bool setVisible(bool, bool); @Import void setAlpha(int); @Import int getAlpha(); @Import void setColorFilter(import9.ColorFilter); @Import import9.ColorFilter getColorFilter(); @Import void setTintList(import10.ColorStateList); @Import void setTintBlendMode(import11.BlendMode); @Import bool onLayoutDirectionChanged(int); @Import int getOpacity(); @Import bool isStateful(); @Import int getIntrinsicWidth(); @Import int getIntrinsicHeight(); @Import void getOutline(import12.Outline); @Import import13.Drawable_ConstantState getConstantState(); @Import import5.Drawable mutate(); @Import void setBounds(int, int, int, int); @Import void setBounds(import7.Rect); @Import void copyBounds(import7.Rect); @Import import7.Rect copyBounds(); @Import import7.Rect getBounds(); @Import import7.Rect getDirtyBounds(); @Import void setChangingConfigurations(int); @Import void setDither(bool); @Import void setFilterBitmap(bool); @Import bool isFilterBitmap(); @Import void setCallback(import14.Drawable_Callback); @Import import14.Drawable_Callback getCallback(); @Import void invalidateSelf(); @Import void scheduleSelf(import6.Runnable, long); @Import void unscheduleSelf(import6.Runnable); @Import int getLayoutDirection(); @Import bool setLayoutDirection(int); @Import void setColorFilter(int, import15.PorterDuff_Mode); @Import void setTint(int); @Import void setTintMode(import15.PorterDuff_Mode); @Import void clearColorFilter(); @Import bool isProjected(); @Import bool setState(int[]); @Import int[] getState(); @Import void jumpToCurrentState(); @Import import5.Drawable getCurrent(); @Import bool setLevel(int); @Import int getLevel(); @Import bool isVisible(); @Import void setAutoMirrored(bool); @Import bool isAutoMirrored(); @Import static int resolveOpacity(int, int); @Import import16.Region getTransparentRegion(); @Import int getMinimumWidth(); @Import int getMinimumHeight(); @Import static import5.Drawable createFromStream(import17.InputStream, string); @Import static import5.Drawable createFromResourceStream(import0.Resources, import18.TypedValue, import17.InputStream, string); @Import static import5.Drawable createFromResourceStream(import0.Resources, import18.TypedValue, import17.InputStream, string, import19.BitmapFactory_Options); @Import static import5.Drawable createFromXml(import0.Resources, import1.XmlPullParser); @Import static import5.Drawable createFromXml(import0.Resources, import1.XmlPullParser, import3.Resources_Theme); @Import static import5.Drawable createFromXmlInner(import0.Resources, import1.XmlPullParser, import2.AttributeSet); @Import static import5.Drawable createFromXmlInner(import0.Resources, import1.XmlPullParser, import2.AttributeSet, import3.Resources_Theme); @Import static import5.Drawable createFromPath(string); @Import void inflate(import0.Resources, import1.XmlPullParser, import2.AttributeSet); @Import import20.Class getClass(); @Import int hashCode(); @Import bool equals(IJavaObject); @Import @JavaName("toString") string toString_(); override string toString() { return arsd.jni.javaObjectToString(this); } @Import void notify(); @Import void notifyAll(); @Import void wait(long); @Import void wait(long, int); @Import void wait(); mixin IJavaObjectImplementation!(false); public static immutable string _javaParameterString = "Landroid/graphics/drawable/RotateDrawable;"; }
D
/Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/Objects-normal/x86_64/RxPickerViewDataSourceProxy.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/RxPickerViewDataSourceProxy~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/RxPickerViewDataSourceProxy~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
/** * Implements the serialization of a lambda function. * * The serializationis computed by visiting the abstract syntax subtree of the given lambda function. * The serialization is a string which contains the type of the parameters and the string * represantation of the lambda expression. * * Copyright: Copyright (C) 1999-2023 by The D Language Foundation, All Rights Reserved * Authors: $(LINK2 https://www.digitalmars.com, Walter Bright) * License: $(LINK2 https://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/lamdbacomp.d, _lambdacomp.d) * Documentation: https://dlang.org/phobos/dmd_lambdacomp.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/lambdacomp.d */ module dmd.lambdacomp; import core.stdc.stdio; import core.stdc.string; import dmd.astenums; import dmd.declaration; import dmd.denum; import dmd.dsymbol; import dmd.dtemplate; import dmd.expression; import dmd.func; import dmd.dmangle; import dmd.hdrgen; import dmd.mtype; import dmd.common.outbuffer; import dmd.root.rmem; import dmd.root.stringtable; import dmd.dscope; import dmd.statement; import dmd.tokens; import dmd.visitor; enum LOG = false; /** * The type of the visited expression. */ private enum ExpType { None, EnumDecl, Arg } /** * Compares 2 lambda functions described by their serialization. * * Params: * l1 = first lambda to be compared * l2 = second lambda to be compared * sc = the scope where the lambdas are compared * * Returns: * `true` if the 2 lambda functions are equal, `false` otherwise */ bool isSameFuncLiteral(FuncLiteralDeclaration l1, FuncLiteralDeclaration l2, Scope* sc) { bool result; if (auto ser1 = getSerialization(l1, sc)) { //printf("l1 serialization: %.*s\n", cast(int)ser1.length, &ser1[0]); if (auto ser2 = getSerialization(l2, sc)) { //printf("l2 serialization: %.*s\n", cast(int)ser2.length, &ser2[0]); if (ser1 == ser2) result = true; mem.xfree(cast(void*)ser2.ptr); } mem.xfree(cast(void*)ser1.ptr); } return result; } /** * Computes the string representation of a * lambda function described by the subtree starting from a * $(REF dmd, func, FuncLiteralDeclaration). * * Limitations: only IntegerExps, Enums and function * arguments are supported in the lambda function body. The * arguments may be of any type (basic types, user defined types), * except template instantiations. If a function call, a local * variable or a template instance is encountered, the * serialization is dropped and the function is considered * uncomparable. * * Params: * fld = the starting AST node for the lambda function * sc = the scope in which the lambda function is located * * Returns: * The serialization of `fld` allocated with mem. */ private string getSerialization(FuncLiteralDeclaration fld, Scope* sc) { scope serVisitor = new SerializeVisitor(fld.parent._scope); fld.accept(serVisitor); const len = serVisitor.buf.length; if (len == 0) return null; return cast(string)serVisitor.buf.extractSlice(); } private extern (C++) class SerializeVisitor : SemanticTimeTransitiveVisitor { private: StringTable!(const(char)[]) arg_hash; Scope* sc; ExpType et; Dsymbol d; public: OutBuffer buf; alias visit = SemanticTimeTransitiveVisitor.visit; this(Scope* sc) scope { this.sc = sc; } /** * Entrypoint of the SerializeVisitor. * * Params: * fld = the lambda function for which the serialization is computed */ override void visit(FuncLiteralDeclaration fld) { assert(fld.type.ty != Terror); static if (LOG) printf("FuncLiteralDeclaration: %s\n", fld.toChars()); TypeFunction tf = cast(TypeFunction) fld.type; const dim = cast(uint) tf.parameterList.length; // Start the serialization by printing the number of // arguments the lambda has. buf.printf("%d:", dim); arg_hash._init(dim + 1); // For each argument foreach (i, fparam; tf.parameterList) { if (fparam.ident !is null) { // the variable name is introduced into a hashtable // where the key is the user defined name and the // value is the cannonically name (arg0, arg1 ...) auto key = fparam.ident.toString(); OutBuffer value; value.writestring("arg"); value.print(i); arg_hash.insert(key, value.extractSlice()); // and the type of the variable is serialized. fparam.accept(this); } } // Now the function body can be serialized. ReturnStatement rs = fld.fbody.endsWithReturnStatement(); if (rs && rs.exp) { rs.exp.accept(this); } else { buf.setsize(0); } } override void visit(DotIdExp exp) { static if (LOG) printf("DotIdExp: %s\n", exp.toChars()); if (buf.length == 0) return; // First we need to see what kind of expression e1 is. // It might an enum member (enum.value) or the field of // an argument (argX.value) if the argument is an aggregate // type. This is reported through the et variable. exp.e1.accept(this); if (buf.length == 0) return; if (et == ExpType.EnumDecl) { Dsymbol s = d.search(exp.loc, exp.ident); if (s) { if (auto em = s.isEnumMember()) { em.value.accept(this); } et = ExpType.None; d = null; } } else if (et == ExpType.Arg) { buf.setsize(buf.length -1); buf.writeByte('.'); buf.writestring(exp.ident.toString()); buf.writeByte('_'); } } bool checkArgument(const(char)* id) { // The identifier may be an argument auto stringtable_value = arg_hash.lookup(id, strlen(id)); if (stringtable_value) { // In which case we need to update the serialization accordingly const(char)[] gen_id = stringtable_value.value; buf.write(gen_id); buf.writeByte('_'); et = ExpType.Arg; return true; } return false; } override void visit(IdentifierExp exp) { static if (LOG) printf("IdentifierExp: %s\n", exp.toChars()); if (buf.length == 0) return; auto id = exp.ident.toChars(); // If it's not an argument if (!checkArgument(id)) { // we must check what the identifier expression is. Dsymbol scopesym; Dsymbol s = sc.search(exp.loc, exp.ident, &scopesym); if (s) { auto v = s.isVarDeclaration(); // If it's a VarDeclaration, it must be a manifest constant if (v && (v.storage_class & STC.manifest)) { v.getConstInitializer.accept(this); } else if (auto em = s.isEnumDeclaration()) { d = em; et = ExpType.EnumDecl; } else if (auto fd = s.isFuncDeclaration()) { writeMangledName(fd); } // For anything else, the function is deemed uncomparable else { buf.setsize(0); } } // If it's an unknown symbol, consider the function incomparable else { buf.setsize(0); } } } override void visit(DotVarExp exp) { static if (LOG) printf("DotVarExp: %s, var: %s, e1: %s\n", exp.toChars(), exp.var.toChars(), exp.e1.toChars()); exp.e1.accept(this); if (buf.length == 0) return; buf.setsize(buf.length -1); buf.writeByte('.'); buf.writestring(exp.var.toChars()); buf.writeByte('_'); } override void visit(VarExp exp) { static if (LOG) printf("VarExp: %s, var: %s\n", exp.toChars(), exp.var.toChars()); if (buf.length == 0) return; auto id = exp.var.ident.toChars(); if (!checkArgument(id)) { buf.setsize(0); } } // serialize function calls override void visit(CallExp exp) { static if (LOG) printf("CallExp: %s\n", exp.toChars()); if (buf.length == 0) return; if (!exp.f) { exp.e1.accept(this); } else { writeMangledName(exp.f); } buf.writeByte('('); foreach (arg; *(exp.arguments)) { arg.accept(this); } buf.writeByte(')'); } override void visit(UnaExp exp) { if (buf.length == 0) return; buf.writeByte('('); buf.writestring(EXPtoString(exp.op)); exp.e1.accept(this); if (buf.length != 0) buf.writestring(")_"); } override void visit(IntegerExp exp) { if (buf.length == 0) return; buf.print(exp.toInteger()); buf.writeByte('_'); } override void visit(RealExp exp) { if (buf.length == 0) return; buf.writestring(exp.toChars()); buf.writeByte('_'); } override void visit(BinExp exp) { static if (LOG) printf("BinExp: %s\n", exp.toChars()); if (buf.length == 0) return; buf.writeByte('('); buf.writestring(EXPtoString(exp.op).ptr); exp.e1.accept(this); if (buf.length == 0) return; exp.e2.accept(this); if (buf.length == 0) return; buf.writeByte(')'); } override void visit(TypeBasic t) { buf.writestring(t.dstring); buf.writeByte('_'); } void writeMangledName(Dsymbol s) { if (s) { OutBuffer mangledName; mangleToBuffer(s, &mangledName); buf.writestring(mangledName[]); buf.writeByte('_'); } else buf.setsize(0); } private bool checkTemplateInstance(T)(T t) if (is(T == TypeStruct) || is(T == TypeClass)) { if (t.sym.parent && t.sym.parent.isTemplateInstance()) { buf.setsize(0); return true; } return false; } override void visit(TypeStruct t) { static if (LOG) printf("TypeStruct: %s\n", t.toChars); if (!checkTemplateInstance!TypeStruct(t)) writeMangledName(t.sym); } override void visit(TypeClass t) { static if (LOG) printf("TypeClass: %s\n", t.toChars()); if (!checkTemplateInstance!TypeClass(t)) writeMangledName(t.sym); } override void visit(Parameter p) { if (p.type.ty == Tident && (cast(TypeIdentifier)p.type).ident.toString().length > 3 && strncmp((cast(TypeIdentifier)p.type).ident.toChars(), "__T", 3) == 0) { buf.writestring("none_"); } else visitType(p.type); } override void visit(StructLiteralExp e) { static if (LOG) printf("StructLiteralExp: %s\n", e.toChars); auto ty = cast(TypeStruct)e.stype; if (ty) { writeMangledName(ty.sym); auto dim = e.elements.length; foreach (i; 0..dim) { auto elem = (*e.elements)[i]; if (elem) elem.accept(this); else buf.writestring("null_"); } } else buf.setsize(0); } override void visit(ArrayLiteralExp) { buf.setsize(0); } override void visit(AssocArrayLiteralExp) { buf.setsize(0); } override void visit(MixinExp) { buf.setsize(0); } override void visit(ComplexExp) { buf.setsize(0); } override void visit(DeclarationExp) { buf.setsize(0); } override void visit(DefaultInitExp) { buf.setsize(0); } override void visit(DsymbolExp) { buf.setsize(0); } override void visit(ErrorExp) { buf.setsize(0); } override void visit(FuncExp) { buf.setsize(0); } override void visit(HaltExp) { buf.setsize(0); } override void visit(IntervalExp) { buf.setsize(0); } override void visit(IsExp) { buf.setsize(0); } override void visit(NewAnonClassExp) { buf.setsize(0); } override void visit(NewExp) { buf.setsize(0); } override void visit(NullExp) { buf.setsize(0); } override void visit(ObjcClassReferenceExp) { buf.setsize(0); } override void visit(OverExp) { buf.setsize(0); } override void visit(ScopeExp) { buf.setsize(0); } override void visit(StringExp) { buf.setsize(0); } override void visit(SymbolExp) { buf.setsize(0); } override void visit(TemplateExp) { buf.setsize(0); } override void visit(ThisExp) { buf.setsize(0); } override void visit(TraitsExp) { buf.setsize(0); } override void visit(TupleExp) { buf.setsize(0); } override void visit(TypeExp) { buf.setsize(0); } override void visit(TypeidExp) { buf.setsize(0); } override void visit(VoidInitExp) { buf.setsize(0); } }
D
instance DIA_PAL_9161_GUARDWATCH_EXIT(C_Info) { npc = pal_9161_guardwatch; nr = 999; condition = dia_pal_9161_guardwatch_exit_condition; information = dia_pal_9161_guardwatch_exit_info; permanent = TRUE; description = Dialog_Ende; }; func int dia_pal_9161_guardwatch_exit_condition() { return TRUE; }; func void dia_pal_9161_guardwatch_exit_info() { AI_StopProcessInfos(self); }; instance DIA_PAL_9161_GUARDWATCH_HALLO(C_Info) { npc = pal_9161_guardwatch; nr = 1; condition = dia_pal_9161_guardwatch_hallo_condition; information = dia_pal_9161_guardwatch_hallo_info; permanent = FALSE; important = TRUE; }; func int dia_pal_9161_guardwatch_hallo_condition() { if(GRANTTOVARUS == FALSE) { return TRUE; }; }; func void dia_pal_9161_guardwatch_hallo_info() { AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_00"); //Stůj! (hrozivě) Ani o krok dál! if(PYROKARSENTTOHAGEN == TRUE) { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_Hallo_01_26"); //Nech mě slečinko! Mám naléhavou zprávu pro lorda Varuse jsem mág Ohně, služebínk boha Innose, tvého pána. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_27"); //Od nejvyššího mága Ohně? Hmmm... (překvapeně) Ale jestli lžeš, kámo? AI_Output(other,self,"DIA_Pal_9161_GuardWatch_Hallo_01_29"); //Jsem posel Pyrokara. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_30"); //Tak jdi, ale jestli jsi lhal, tak tě stáhnu z kůže. GRANTTOVARUS = TRUE; AI_StopProcessInfos(self); } else { AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_01"); //Kam si myslíš že jdeš? AI_Output(other,self,"DIA_Pal_9161_GuardWatch_Hallo_01_02"); //A kam, že jdu? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_03"); //K lordovi Varusovi- vedoucímu posádky. if((MIS_PALADINFOOD == LOG_Running) && (HAGENSENTTOVARUS == TRUE)) { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_Hallo_01_04"); //Mohu dovnitř? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_05"); //A proč? AI_Output(other,self,"DIA_Pal_9161_GuardWatch_Hallo_01_06"); //Mám zde příkaz od samotného velitele paladinů. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_07"); //Příkaz od samotného lorda Hagena? AI_Output(other,self,"DIA_Pal_9161_GuardWatch_Hallo_01_08"); //Samozřejmě, ještě mě chceš zadržovat nebo můžu projít? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_09"); //Hmm... (zadumaně) Můžeš vejít! AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_10"); //Ale pamatuj, jestli budeš lorda Varuse obtěžovat, tak... AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_11"); //... já budu první, kdo tě naučí slušnému chování. Rozumíš? GRANTTOVARUS = TRUE; AI_StopProcessInfos(self); } else { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_Hallo_01_13"); //Díky, budu na to myslet. A teď už můžu projít? if(other.guild == GIL_PAL) { AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_14"); //No jelikož jsi-jedním z nás můžeš jít, ale nedělej problémy. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_15"); //Ale pamatuj jestli budeš lorda Varuse otravovat tak... AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_16"); //... já budu první kdo tě naučí slušnému chování. Rozumíš? GRANTTOVARUS = TRUE; AI_StopProcessInfos(self); } else if(other.guild == GIL_KDF) { AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_18"); //No protože jsi, jeden ze ctihodných služebníků Innose - tak můžeš jít. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_19"); //Ale pamatuj mágu, jestli budeš dělat problémy tak... AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_20"); //... já budu první kdo tě naučí slušnému chování. Rozumíš? GRANTTOVARUS = TRUE; AI_StopProcessInfos(self); } else { AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_22"); //Ne! AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_23"); //A jestli uděláš ještě jeden krok - přísahám Innosovi sejmu tě. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Hallo_01_24"); //Tak radši nepokoušej osud. other.aivar[AIV_LastDistToWP] = Npc_GetDistToWP(other,"LGR_RATSHAUS_17"); AI_StopProcessInfos(self); }; }; }; }; instance DIA_PAL_9161_GUARDWATCH_HALLOATTACK(C_Info) { npc = pal_9161_guardwatch; nr = 1; condition = dia_pal_9161_guardwatch_halloattack_condition; information = dia_pal_9161_guardwatch_halloattack_info; permanent = FALSE; important = TRUE; }; func int dia_pal_9161_guardwatch_halloattack_condition() { if((GRANTTOVARUS == FALSE) && Npc_KnowsInfo(hero,dia_pal_9161_guardwatch_hallo) && (Npc_GetDistToWP(hero,"LGR_RATSHAUS_17") <= (hero.aivar[AIV_LastDistToWP] - 20)) && ((HAGENSENTTOVARUS == FALSE) || (hero.guild != GIL_PAL) || (hero.guild != GIL_KDF))) { return TRUE; }; }; func void dia_pal_9161_guardwatch_halloattack_info() { AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloAttack_01_00"); //Myslím, že jsem tě varoval! AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloAttack_01_01"); //Můžeš si za to sám... AI_StopProcessInfos(self); B_Attack(self,other,AR_GuardStopsIntruder,0); }; instance DIA_PAL_9161_GUARDWATCH_HALLONOTATTACK(C_Info) { npc = pal_9161_guardwatch; nr = 1; condition = dia_pal_9161_guardwatch_hallonotattack_condition; information = dia_pal_9161_guardwatch_hallonotattack_info; permanent = FALSE; important = TRUE; }; func int dia_pal_9161_guardwatch_hallonotattack_condition() { if((GRANTTOVARUS == FALSE) && Npc_KnowsInfo(hero,dia_pal_9161_guardwatch_hallo) && ((PYROKARSENTTOHAGEN == TRUE) || (HAGENSENTTOVARUS == TRUE) || (hero.guild == GIL_PAL) || (hero.guild == GIL_KDF))) { return TRUE; }; }; func void dia_pal_9161_guardwatch_hallonotattack_info() { AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_00"); //Stůj (hrozivě) co tady zase děláš? if(PYROKARSENTTOHAGEN == TRUE) { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_20"); //Nech mě slečinko! Mám naléhavou zprávu pro lorda Varuse, jsem mág Ohně. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_21"); //Od nejvyššího mága Ohně? Hmmm... (překvapeně) Ale jestli lžeš, kámo? AI_Output(other,self,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_23"); //Jsem posel Pyrokara. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_24"); //Tak jdi, ale jestli jsi lhal, tak tě stáhnu z kůže! GRANTTOVARUS = TRUE; AI_StopProcessInfos(self); } else if(HAGENSENTTOVARUS == TRUE) { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_11"); //Mám pro něho příkaz od velitele paladinů. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_12"); //Příkaz od samotného lorda Hagena?! AI_Output(other,self,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_13"); //Samozřejmě, ještě mě chceš zadržovat nebo můžu projít? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_14"); //Hmm... (zadumaně) můžeš vejít! AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_15"); //Ale pamatuj jestli budeš lorda Varuse obtěžovat tak... AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_16"); //... já budu první kdo tě naučí slušnému chování. Rozumíš? GRANTTOVARUS = TRUE; AI_StopProcessInfos(self); } else if(other.guild == GIL_PAL) { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_01"); //Jsem členem řádu paladinů, pustíš mě. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_02"); //No protože jsi jedním z nás, jdi. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_03"); //Ale pamatuj jestli budeš lorda Varuse otravovat... AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_04"); //... já budu první kdo tě naučí slušnému chování. Rozumíš? GRANTTOVARUS = TRUE; AI_StopProcessInfos(self); } else if(other.guild == GIL_KDF) { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_06"); //Jsem mág Ohně, pusť mě? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_07"); //No protože jsi, jeden ze ctihodných služebníků Innose - tak můžeš jít. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_08"); //Ale pamatuj mágu, jestli budeš dělat problémy tak... AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_09"); //... já budu první kdo tě naučí slušnému chování. Rozumíš? GRANTTOVARUS = TRUE; AI_StopProcessInfos(self); } else { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_18"); //Nic. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_HalloNotAttack_01_19"); //Tak vypadni! AI_StopProcessInfos(self); }; }; instance DIA_PAL_9161_GUARDWATCH_WHAT(C_Info) { npc = pal_9161_guardwatch; nr = 1; condition = dia_pal_9161_guardwatch_what_condition; information = dia_pal_9161_guardwatch_what_info; permanent = TRUE; description = "Jak to jde?"; }; func int dia_pal_9161_guardwatch_what_condition() { if(GRANTTOVARUS == TRUE) { return TRUE; }; }; func void dia_pal_9161_guardwatch_what_info() { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_What_01_00"); //Jak to jde? if(MIS_LANZRING == LOG_SUCCESS) { AI_Output(self,other,"DIA_Pal_9161_GuardWatch_What_01_01"); //Vše v pohodě příteli, můžeš jít. AI_StopProcessInfos(self); } else { B_Say(self,other,"$NOTNOW"); AI_StopProcessInfos(self); Npc_SetRefuseTalk(self,30); }; }; instance DIA_PAL_9161_GUARDWATCH_POST(C_Info) { npc = pal_9161_guardwatch; nr = 1; condition = dia_pal_9161_guardwatch_post_condition; information = dia_pal_9161_guardwatch_post_info; permanent = FALSE; description = "Jsi vždycky tady na stanovišti?"; }; func int dia_pal_9161_guardwatch_post_condition() { if(GRANTTOVARUS == TRUE) { return TRUE; }; }; func void dia_pal_9161_guardwatch_post_info() { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_Post_01_01"); //Jsi vždycky tady na stanovišti? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Post_01_02"); //Skoro vždycky. AI_Output(other,self,"DIA_Pal_9161_GuardWatch_Post_01_03"); //A nikdy neodpočíváš? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Post_01_04"); //Ne, já nepotřebuju odpočinek... Innos mě dává sílu. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_Post_01_05"); //A přestaň mě zdržovat od práce, radši něco dělej. }; instance DIA_PAL_9161_GUARDWATCH_MISSGOLD(C_Info) { npc = pal_9161_guardwatch; nr = 1; condition = dia_pal_9161_guardwatch_missgold_condition; information = dia_pal_9161_guardwatch_missgold_info; permanent = FALSE; description = "Jsi v pořádku?"; }; func int dia_pal_9161_guardwatch_missgold_condition() { if(Npc_KnowsInfo(hero,dia_pal_9161_guardwatch_post)) { return TRUE; }; }; func void dia_pal_9161_guardwatch_missgold_info() { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_MissGold_01_01"); //Jsi v pořádku? Proč jsi tak mrzutý? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_02"); //Proč tě to zajímá? AI_Output(other,self,"DIA_Pal_9161_GuardWatch_MissGold_01_05"); //Jen mi řekni, co se stalo a uvidíme. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_06"); //No... no, během jedné noční služby na východní zdi pevnosti, jsem omylem upustil svůj měšec. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_07"); //Zpočátku jsem chtěl jít dolů a sebrat ho, ale pak jsem si uvědomil, že nemůžu kvůli takové maličkosti, opustit svoje místo! AI_Output(other,self,"DIA_Pal_9161_GuardWatch_MissGold_01_08"); //A v čem je problém mohl jsi ho sebrat po službě. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_09"); //To je pravda, ale já prostě na to nemám čas. (podrážděně) AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_10"); //Z křoví vylezla nějaká potvora, vytrhla mě měšec a zdrhla směrem k pláži. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_11"); //Vystřelil jsem po ní z kuše, ale byla moc velká tma. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_12"); //Byl jsem rozčílenej- ale zjistil jsem, že je to k ničemu. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_13"); //Nyní nemám klid, musím najít svůj měšec! AI_Output(other,self,"DIA_Pal_9161_GuardWatch_MissGold_01_14"); //A co v něm bylo tak cenné? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_15"); //Kromě několika zlatých, jsem tam měl prsten. Moc pro mě znamenal! AI_Output(other,self,"DIA_Pal_9161_GuardWatch_MissGold_01_16"); //Co to je za prsten? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_17"); //Je to můj milášek! Daroval mi ho lord Hagen, po bitvě se skřety v pustinách Varantu. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_18"); //Byli jsme pořád spolu nikdy jsme se nerozdělili! Až do toho večera... (lítostivě) AI_Output(other,self,"DIA_Pal_9161_GuardWatch_MissGold_01_19"); //Rozumím. A jak já ti mohu pomoct? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_20"); //Pochopitelně. Stačí když najdeš můj měšec a doneseš mě ho. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_21"); //Nezáleží mi na měšci ani na zlaťácích, jde mi jen o miláška. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_22"); //Zlaťáky si můžeš nechat pro sebe. AI_Output(other,self,"DIA_Pal_9161_GuardWatch_MissGold_01_23"); //Dobře podívám se po něm. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_24"); //Děkuju. Uděláš mě velkou radost jestli ho najdeš. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGold_01_25"); //A teď promiň, musím se věnovat službě. MIS_LANZRING = LOG_Running; Log_CreateTopic(TOPIC_LANZRING,LOG_MISSION); Log_SetTopicStatus(TOPIC_LANZRING,LOG_Running); B_LogEntry(TOPIC_LANZRING,"Strážce Glantz upustil měšec, zatímco střežil východní stěnu pevnosti. Nezáleží mu na měšci, ale jde mu o prsten, který mu dal, lord Hagen. Nabídl jsem mu pomoc. Tvor, který mu ukradl měšec, utekl směrem k písečné pláži."); AI_StopProcessInfos(self); }; instance DIA_PAL_9161_GUARDWATCH_MISSGOLDDONE(C_Info) { npc = pal_9161_guardwatch; nr = 1; condition = dia_pal_9161_guardwatch_missgolddone_condition; information = dia_pal_9161_guardwatch_missgolddone_info; permanent = FALSE; description = "Našel jsem miláška."; }; func int dia_pal_9161_guardwatch_missgolddone_condition() { if((MIS_LANZRING == LOG_Running) && (Npc_HasItems(other,itri_lanzring) >= 1)) { return TRUE; }; }; func void dia_pal_9161_guardwatch_missgolddone_info() { B_GivePlayerXP(200); AI_Output(other,self,"DIA_Pal_9161_GuardWatch_MissGoldDone_01_01"); //Našel jsem miláška. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGoldDone_01_02"); //(nedůvěřivě) Ukaž. AI_Output(other,self,"DIA_Pal_9161_GuardWatch_MissGoldDone_01_03"); //Podívej. Je to on? B_GiveInvItems(other,self,itri_lanzring,1); AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGoldDone_01_04"); //Ano! To je milášek... (šťastně) Nemůžu uvěřit, že jsme opět spolu! AI_Output(other,self,"DIA_Pal_9161_GuardWatch_MissGoldDone_01_05"); //Myslím, že teď se už nemáš čeho bát. AI_Output(self,other,"DIA_Pal_9161_GuardWatch_MissGoldDone_01_06"); //Děkuji, příteli. MIS_LANZRING = LOG_SUCCESS; Log_SetTopicStatus(TOPIC_LANZRING,LOG_SUCCESS); B_LogEntry(TOPIC_LANZRING,"Vrátil jsem Glantzovi prsten."); }; instance DIA_PAL_9161_GUARDWATCH_RAYNEHELP(C_Info) { npc = pal_9161_guardwatch; nr = 1; condition = dia_pal_9161_guardwatch_raynehelp_condition; information = dia_pal_9161_guardwatch_raynehelp_info; permanent = FALSE; description = "Mohl bys pomoci Rayneovi ve skladě?"; }; func int dia_pal_9161_guardwatch_raynehelp_condition() { if(MIS_RAYNEHELP == LOG_Running) { return TRUE; }; }; func void dia_pal_9161_guardwatch_raynehelp_info() { AI_Output(other,self,"DIA_Pal_9161_GuardWatch_RayneHelp_01_00"); //Mohl bys pomoci Rayneovi ve skladě? AI_Output(self,other,"DIA_Pal_9161_GuardWatch_RayneHelp_01_01"); //A jak si to představuješ? (podrážděně) Teď si odšlápnu svoji šichtu a pak půjdu pomáhat tomu chudákovi! HELPCOUNTRAYNE = HELPCOUNTRAYNE + 1; if((HELPCOUNTRAYNE > 10) && (MAYTALKVARUSRAYNE == FALSE) && (MIS_RAYNEHELP == LOG_Running)) { MAYTALKVARUSRAYNE = TRUE; B_LogEntry(TOPIC_RAYNEHELP,"Zdá se, že jen marním čas - žádný z paladinů není nakloněn myšlence Rayneovi pomoct. Možná bych měl zvolit poněkud drastičtější přístup..."); }; };
D
/*-*- Mode: C; c-basic-offset: 8; indent-tabs-mode: nil -*-*/ /*** Copyright 2010 Lennart Poettering 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 deimos.systemd.sd_readahead; version(Posix){} else { static assert(false, "SystemD is only supported on Posix systems!"); } extern(C): /* Reference implementation of a few boot readahead related interfaces. These interfaces are trivial to implement. To simplify porting we provide this reference implementation. Applications are welcome to reimplement the algorithms described here if they do not want to include these two source files. You may compile this with -DDISABLE_SYSTEMD to disable systemd support. This makes all calls NOPs. Since this is drop-in code we don't want any of our symbols to be exported in any case. Hence we declare hidden visibility for all of them. You may find an up-to-date version of these source files online: http://cgit.freedesktop.org/systemd/systemd/plain/src/systemd/sd-readahead.h http://cgit.freedesktop.org/systemd/systemd/plain/src/readahead/sd-readahead.c This should compile on non-Linux systems, too, but all functions will become NOPs. See sd-readahead(3) for more information. */ /* Controls ongoing disk read-ahead operations during boot-up. The argument must be a string, and either "cancel", "done" or "noreplay". cancel = terminate read-ahead data collection, drop collected information done = terminate read-ahead data collection, keep collected information noreplay = terminate read-ahead replay */ int sd_readahead(const(char*) action);
D
import cairo; import std.stdio; void main() { auto cairoVer = Version.cairoVersion; auto bindingVer = Version.bindingVersion; writefln("Cairo version: %s", cairoVer); writefln("Binding version: %s", bindingVer); if(cairoVer.major != 1 || cairoVer.minor <= 8) //we don't care about micro { writeln("Cairo version not supported!"); } }
D
/Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Generate.o : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Generate~partial.swiftmodule : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Generate~partial.swiftdoc : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Reactive.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Errors.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Event.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Rx.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap
D
/* ---------------------------------------------------------------------------- * This file was automatically generated by SWIG (http://www.swig.org). * Version 3.0.0 * * Do not make changes to this file unless you know what you are doing--modify * the SWIG interface file instead. * ----------------------------------------------------------------------------- */ module SWIGTYPE_p_a_3__long; static import vtkd_im; class SWIGTYPE_p_a_3__long { private void* swigCPtr; public this(void* cObject, bool futureUse) { swigCPtr = cObject; } protected this() { swigCPtr = null; } public static void* swigGetCPtr(SWIGTYPE_p_a_3__long obj) { return (obj is null) ? null : obj.swigCPtr; } mixin vtkd_im.SwigOperatorDefinitions; }
D
#!/usr/bin/env rdmd import std.stdio; import std.string; import std.conv; import std.algorithm; import std.array; import std.format : formattedRead; struct Rule { bool isLiteral; bool isBinary; int[] left; int[] orRight; char literal = ' '; } Rule[int] rules; void parse(string[] rawRules) { int[] splitNumbers(string str) { return str.split(' ').map!(to!int).array(); } foreach (raw; rawRules) { Rule rule; int idx; string remain; raw.formattedRead!"%s: %s"(idx, remain); if (remain.indexOf('"') >= 0) { rule.isLiteral = true; remain.formattedRead!"\"%s\""(rule.literal); } else { string[] parts = remain.split(" | "); rule.left = splitNumbers(parts[0]); if (parts.length == 2) { rule.isBinary = true; rule.orRight = splitNumbers(parts[1]); } } rules[idx] = rule; } } int[] matchRules(string input, int[] ruleIds, int pos) { int[] cur = [ pos ]; foreach(ruleId; ruleIds) { int[] next = []; foreach(c; cur) { next ~= matches(input, ruleId, c); } cur = next; if (cur.empty) break; } return cur; } int[] matches(string input, int ruleId, int pos) { Rule rule = rules[ruleId]; if (pos >= input.length) { return []; } if (rule.isLiteral) { bool hit = rule.literal == input[pos]; return hit ? [ pos + 1 ] : []; } else { int alt = pos; int[] result; result ~= matchRules (input, rule.left, pos); if (rule.isBinary) { result ~= matchRules (input, rule.orRight, alt); } return result; } } string[] readParagraph(File file) { string[] result = []; while (!file.eof()) { string line = chomp(file.readln()); if (line.length == 0) break; result = result ~ line; } return result; } string[] readLines(string fname) { File file = File(fname, "rt"); string[] result = []; while (!file.eof()) { string line = chomp(file.readln()); result = result ~ line; } // Remove empty line... if (result[$-1].length == 0) { result = result[0..$-1]; } return result; } long countMatches(string[] lines) { long sum = 0; foreach (line; lines) { int[] result = matches(line, 0, 0); if (result.canFind(line.length)) { sum++; } } return sum; } void main() { File file = File("input", "rt"); string[] rawRules = readParagraph(file); string[] lines = readParagraph(file); parse(rawRules); writeln("Part 1: ", countMatches(lines)); // part2: insert extra rules; Rule rule8; rule8.isBinary = true; rule8.left = [42]; rule8.orRight = [42, 8]; Rule rule11; rule11.isBinary = true; rule11.left = [42, 31]; rule11.orRight = [42, 11, 31]; rules[8] = rule8; rules[11] = rule11; writeln("Part 2: ", countMatches(lines)); }
D
/***********************************\ STRINGBUILDER \***********************************/ //======================================== // [intern] Klasse / Variablen //======================================== class StringBuilder { var int ptr; var int cln; var int cal; }; const int _SB_Current = 0; //======================================== // Aktiven StringBuilder setzen //======================================== func void SB_Use(var int sb) { _SB_Current = sb; }; //======================================== // Aktiven StringBuilder holen //======================================== func int SB_Get() { return _SB_Current; }; //======================================== // Neuen StringBuilder erstellen //======================================== func int SB_New() { SB_Use(MEM_Alloc(12)); return _SB_Current; }; //======================================== // Buffer initialisieren (def: auto) //======================================== func void SB_InitBuffer(var int size) { var StringBuilder c; c = _^(_SB_Current); if(c.ptr) { MEM_Error("SB_InitBuffer: Der StringBuilder hat bereits einen Buffer."); return; }; if(size < 8) { size = 8; }; c.ptr = MEM_Alloc(size); c.cln = 0; c.cal = size; }; //======================================== // Leeren (wird nicht zerstört!) //======================================== func void SB_Clear() { var StringBuilder c; c = _^(_SB_Current); if(c.ptr) { MEM_Free(c.ptr); }; c.ptr = 0; c.cln = 0; c.cal = 0; }; //======================================== // Stream entkoppeln //======================================== func void SB_Release() { MEM_Free(_SB_Current); _SB_Current = 0; }; //======================================== // StringBuilder komplett zerstören //======================================== func void SB_Destroy() { SB_Clear(); SB_Release(); }; //======================================== // Stream als String zurückgeben //======================================== func string SB_ToString() { var StringBuilder c; c = _^(_SB_Current); if(!c.ptr) { return ""; }; var string ret; ret = ""; var zString z; z = _^(_@s(ret)); z.ptr = MEM_Alloc(c.cln+2)+1; MEM_CopyBytes(c.ptr, z.ptr, c.cln); z.len = c.cln; z.res = c.cln; return ret; }; //======================================== // Stream als Pointer zurückgeben //======================================== func int SB_GetStream() { if(!_SB_Current) { return 0; }; return MEM_ReadInt(_SB_Current); }; //======================================== // Kopie des Streams zurückgeben //======================================== func int SB_ToStream() { if(!_SB_Current) { return 0; }; var StringBuilder c; c = _^(_SB_Current); var int p; p = MEM_Alloc(c.cln); MEM_CopyBytes(c.ptr, p, c.cln); return p; }; //======================================== // Aktuelle Länge //======================================== func int SB_Length() { if(!_SB_Current) { return 0; }; return MEM_ReadInt(_SB_Current+4); }; //======================================== // Rohbytes anhängen //======================================== func void SBraw(var int ptr, var int len) { var StringBuilder c; c = _^(_SB_Current); if(!c.ptr) { SB_InitBuffer(32); }; var int n; n = c.cln + len; if(n > c.cal) { var int o; o = c.cal; while(n > c.cal); c.cal *= 2; end; c.ptr = MEM_Realloc(c.ptr, o, c.cal); }; MEM_CopyBytes(ptr, c.ptr + c.cln, len); c.cln = n; }; //======================================== // String anhängen //======================================== func void SB(var string s) { var zString z; z = _^(_@s(s)); SBraw(z.ptr, z.len); }; //======================================== // Int als ASCII anhängen //======================================== func void SBi(var int i) { SB(IntToString(i)); }; //======================================== // Buchstaben anhängen (ASCII) //======================================== func void SBc(var int b) { var StringBuilder c; c = _^(_SB_Current); if(!c.ptr) { SB_InitBuffer(32); }; if(c.cln+4 > c.cal) { c.ptr = MEM_Realloc(c.ptr, c.cal, c.cal<<1); c.cal *= 2; }; MEM_WriteInt(c.ptr+c.cln, b); c.cln += 1; }; //======================================== // Int als 4 Byte roh anhängen //======================================== func void SBw(var int b) { var StringBuilder c; c = _^(_SB_Current); if(!c.ptr) { SB_InitBuffer(32); }; if(c.cln+4 > c.cal) { c.ptr = MEM_Realloc(c.ptr, c.cal, c.cal<<1); c.cal *= 2; }; MEM_WriteInt(c.ptr+c.cln, b); c.cln += 4; }; //======================================== // Float anhängen (ASCII) //======================================== func void SBflt(var float f) { SB(FloatToString(f)); }; //======================================== // Int als Float anhängen (ASCII) //======================================== func void SBf(var int f) { f; MEM_Call(SBflt); }; //======================================== // Länge setzen //======================================== func void SB_SetLength(var int l) { while(l > SB_Length()); SBw(0); end; MEM_WriteInt(_SB_Current+4, l); }; //======================================== // STR_Escape / STR_Unescape //======================================== const int STR_Sequences[33] = { 48, 49, 50, 51, 52, 53, 54, 97, 98, 116, 110, 118, 102, 114, 55, 56, 57, 65, 66, 67, 68, 69, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 95 }; func string STR_Escape(var string s0) { var int osb; osb = SB_Get(); var zString z; z = _^(_@s(s0)); const int sb = 0; if(!sb) { sb = SB_New(); }; SB_Use(sb); SB_InitBuffer(z.len * 2); var int i; i = 0; var int l; l = z.len; while(i < l); var int c; c = MEM_ReadByte(z.ptr + i); if(c == 92) { // '\' SBc(92); SBc(92); } else if(c < 33) { SBc(92); SBc(MEM_ReadStatArr(STR_Sequences, c)); } else { SBc(c); }; i += 1; end; var string res; res = SB_ToString(); SB_Clear(); SB_Use(osb); return res; }; func string STR_Unescape(var string s0) { var int osb; osb = SB_Get(); var zString z; z = _^(_@s(s0)); const int sb = 0; if(!sb) { sb = SB_New(); }; SB_Use(sb); SB_InitBuffer(z.len); var int i; i = 0; var int l; l = z.len; while(i < l); var int c; c = MEM_ReadByte(z.ptr + i); if(c == 92) { // '\' i += 1; c = MEM_ReadByte(z.ptr + i); if(c == 92) { SBc(92); } else { var int j; j = 0; while(j < 33); var int n; n = MEM_ReadStatArr(STR_Sequences, j); if(c == n) { SBc(j); break; }; j += 1; end; }; } else { SBc(c); }; i += 1; end; var string res; res = SB_ToString(); SB_Clear(); SB_Use(osb); return res; }; //======================================== // Hilfsfunktion STR_StartsWith //======================================== func int STR_StartsWith(var string str, var string start) { var zString z0; z0 = _^(_@s(str)); var zString z1; z1 = _^(_@s(start)); if(z1.len > z0.len) { return 0; }; MEM_CompareBytes(z0.ptr, z1.ptr, z1.len); };
D
/** * Declarations for back end * * Compiler implementation of the * $(LINK2 https://www.dlang.org, D programming language). * * Copyright: Copyright (C) 1984-1998 by Symantec * Copyright (C) 2000-2021 by The D Language Foundation, All Rights Reserved * Authors: $(LINK2 https://www.digitalmars.com, Walter Bright) * License: $(LINK2 https://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/backend/global.d, backend/global.d) */ module dmd.backend.global; // Online documentation: https://dlang.org/phobos/dmd_backend_global.html extern (C++): @nogc: nothrow: import core.stdc.stdio; import core.stdc.stdint; import dmd.backend.cdef; import dmd.backend.cc; import dmd.backend.cc : Symbol, block, Classsym, Blockx; import dmd.backend.code_x86 : code; import dmd.backend.code; import dmd.backend.dlist; import dmd.backend.el; import dmd.backend.el : elem; import dmd.backend.mem; import dmd.backend.symtab; import dmd.backend.type; //import dmd.backend.obj; import dmd.backend.barray; nothrow: @safe: extern __gshared { char debuga; // cg - watch assignaddr() char debugb; // watch block optimization char debugc; // watch code generated char debugd; // watch debug information generated char debuge; // dump eh info char debugf; // trees after dooptim char debugg; // trees for code generator char debugo; // watch optimizer char debugr; // watch register allocation char debugs; // watch common subexp eliminator char debugt; // do test points char debugu; char debugw; // watch progress char debugx; // suppress predefined CPP stuff char debugy; // watch output to il buffer } enum CR = '\r'; // Used because the MPW version of the compiler warps enum LF = '\n'; // \n into \r and \r into \n. The translator version // does not and this causes problems with the compilation // with the translator enum CR_STR = "\r"; enum LF_STR = "\n"; extern __gshared { const uint[32] mask; // bit masks const uint[32] maskl; // bit masks char* argv0; char* finname, foutname, foutdir; char OPTIMIZER,PARSER; symtab_t globsym; // Config config; // precompiled part of configuration char[SCMAX] sytab; extern (C) /*volatile*/ int controlc_saw; // a control C was seen block* startblock; // beginning block of function Barray!(block*) dfo; // array of depth first order block* curblock; // current block being read in block* block_last; int errcnt; regm_t fregsaved; tym_t pointertype; // default data pointer type // cg.c Symbol* localgot; Symbol* tls_get_addr_sym; } version (MARS) __gshared Configv configv; // non-ph part of configuration else extern __gshared Configv configv; // non-ph part of configuration // iasm.c Symbol *asm_define_label(const(char)* id); // cpp.c const(char)* cpp_mangle(Symbol* s); // ee.c void eecontext_convs(SYMIDX marksi); void eecontext_parse(); // exp2.c //#define REP_THRESHOLD (REGSIZE * (6+ (REGSIZE == 4))) /* doesn't belong here, but func to OPxxx is in exp2 */ void exp2_setstrthis(elem *e,Symbol *s,targ_size_t offset,type *t); Symbol *exp2_qualified_lookup(Classsym *sclass, int flags, int *pflags); elem *exp2_copytotemp(elem *e); /* util.c */ //#if __clang__ //void util_exit(int) __attribute__((noreturn)); //#elif _MSC_VER //__declspec(noreturn) void util_exit(int); //#else void util_exit(int); //#if __DMC__ //#pragma ZTC noreturn(util_exit) //#endif //#endif void util_progress(); void util_set16(); void util_set32(); void util_set64(); int ispow2(uint64_t); version (Posix) { void* util_malloc(uint n,uint size) { return mem_malloc(n * size); } void* util_calloc(uint n,uint size) { return mem_calloc(n * size); } void util_free(void *p) { mem_free(p); } void *util_realloc(void *oldp,size_t n,size_t size) { return mem_realloc(oldp, n * size); } //#define parc_malloc mem_malloc //#define parc_calloc mem_calloc //#define parc_realloc mem_realloc //#define parc_strdup mem_strdup //#define parc_free mem_free } else { void *util_malloc(uint n,uint size); void *util_calloc(uint n,uint size); void util_free(void *p); void *util_realloc(void *oldp,size_t n,size_t size); void *parc_malloc(size_t len); void *parc_calloc(size_t len); void *parc_realloc(void *oldp,size_t len); char *parc_strdup(const(char)* s); void parc_free(void *p); } void swap(int *, int *); //void crlf(FILE *); int isignore(int); int isillegal(int); //#if !defined(__DMC__) && !defined(_MSC_VER) int ishex(int); //#endif /* from cgcs.c */ void comsubs(); void cgcs_term(); /* errmsgs.c */ char *dlcmsgs(int); void errmsgs_term(); /* from evalu8.c */ int boolres(elem *); int iftrue(elem *); int iffalse(elem *); elem *poptelem(elem *); elem *poptelem2(elem *); elem *poptelem3(elem *); elem *poptelem4(elem *); elem *selecte1(elem *, type *); //extern type *declar(type *,char *,int); /* from err.c */ void err_message(const(char)* format,...); void dll_printf(const(char)* format,...); void cmderr(uint,...); int synerr(uint,...); void preerr(uint,...); //#if __clang__ //void err_exit() __attribute__((analyzer_noreturn)); //void err_nomem() __attribute__((analyzer_noreturn)); //void err_fatal(uint,...) __attribute__((analyzer_noreturn)); //#else void err_exit(); void err_nomem(); void err_fatal(uint,...); //#if __DMC__ //#pragma ZTC noreturn(err_exit) //#pragma ZTC noreturn(err_nomem) //#pragma ZTC noreturn(err_fatal) //#endif //#endif int cpperr(uint,...); int tx86err(uint,...); extern __gshared int errmsgs_tx86idx; void warerr(uint,...); void err_warning_enable(uint warnum, int on); void lexerr(uint,...); int typerr(int,type *,type *, ...); void err_noctor(Classsym *stag,list_t arglist); void err_nomatch(const(char)*, list_t); void err_ambiguous(Symbol *,Symbol *); void err_noinstance(Symbol *s1,Symbol *s2); void err_redeclar(Symbol *s,type *t1,type *t2); void err_override(Symbol *sfbase,Symbol *sfder); void err_notamember(const(char)* id, Classsym *s, Symbol *alternate = null); /* exp.c */ elem *expression(); elem *const_exp(); elem *assign_exp(); elem *exp_simplecast(type *); /* file.c */ char *file_getsource(const(char)* iname); int file_isdir(const(char)* fname); void file_progress(); void file_remove(char *fname); int file_exists(const(char)* fname); int file_size(const(char)* fname); void file_term(); char *file_unique(); /* from msc.c */ type *newpointer(type *); type *newpointer_share(type *); type *reftoptr(type *t); type *newref(type *); type *topointer(type *); type *type_ptr(elem *, type *); int type_chksize(uint); tym_t tym_conv(const type *); inout(type)* type_arrayroot(inout type *); void chklvalue(elem *); int tolvalue(elem **); void chkassign(elem *); void chknosu(const elem *); void chkunass(const elem *); void chknoabstract(const type *); targ_llong msc_getnum(); targ_size_t alignmember(const type *,targ_size_t,targ_size_t); targ_size_t _align(targ_size_t,targ_size_t); /* nteh.c */ ubyte *nteh_context_string(); void nteh_declarvars(Blockx *bx); elem *nteh_setScopeTableIndex(Blockx *blx, int scope_index); Symbol *nteh_contextsym(); uint nteh_contextsym_size(); Symbol *nteh_ecodesym(); code *nteh_unwind(regm_t retregs,uint index); code *linux_unwind(regm_t retregs,uint index); int nteh_offset_sindex(); int nteh_offset_sindex_seh(); int nteh_offset_info(); /* os.c */ void *globalrealloc(void *oldp,size_t nbytes); void *vmem_baseaddr(); void vmem_reservesize(uint *psize); uint vmem_physmem(); void *vmem_reserve(void *ptr,uint size); int vmem_commit(void *ptr, uint size); void vmem_decommit(void *ptr,uint size); void vmem_release(void *ptr,uint size); void *vmem_mapfile(const(char)* filename,void *ptr,uint size,int flag); void vmem_setfilesize(uint size); void vmem_unmapfile(); void os_loadlibrary(const(char)* dllname); void os_freelibrary(); void *os_getprocaddress(const(char)* funcname); void os_heapinit(); void os_heapterm(); void os_term(); uint os_unique(); int os_file_exists(const(char)* name); int os_file_mtime(const(char)* name); long os_file_size(int fd); long os_file_size(const(char)* filename); char *file_8dot3name(const(char)* filename); int file_write(char *name, void *buffer, uint len); int file_createdirs(char *name); /* pseudo.c */ Symbol *pseudo_declar(char *); extern __gshared { ubyte[24] pseudoreg; regm_t[24] pseudomask; } /* Symbol.c */ //#if TERMCODE //void symbol_keep(Symbol *s); //#else //#define symbol_keep(s) (()(s)) //#endif void symbol_keep(Symbol *s) { } void symbol_print(const Symbol* s); void symbol_term(); const(char)* symbol_ident(const Symbol *s); Symbol *symbol_calloc(const(char)* id); Symbol *symbol_calloc(const(char)* id, uint len); Symbol *symbol_name(const(char)* name, int sclass, type *t); Symbol *symbol_name(const(char)* name, uint len, int sclass, type *t); Symbol *symbol_generate(int sclass, type *t); Symbol *symbol_genauto(type *t); Symbol *symbol_genauto(elem *e); Symbol *symbol_genauto(tym_t ty); void symbol_func(Symbol *); //void symbol_struct_addField(Symbol *s, const(char)* name, type *t, uint offset); Funcsym *symbol_funcalias(Funcsym *sf); Symbol *defsy(const(char)* p, Symbol **parent); void symbol_addtotree(Symbol **parent,Symbol *s); //Symbol *lookupsym(const(char)* p); Symbol *findsy(const(char)* p, Symbol *rover); void createglobalsymtab(); void createlocalsymtab(); void deletesymtab(); void meminit_free(meminit_t *m); baseclass_t *baseclass_find(baseclass_t *bm,Classsym *sbase); baseclass_t *baseclass_find_nest(baseclass_t *bm,Classsym *sbase); int baseclass_nitems(baseclass_t *b); void symbol_free(Symbol *s); SYMIDX symbol_add(Symbol *s); SYMIDX symbol_add(ref symtab_t, Symbol *s); SYMIDX symbol_insert(ref symtab_t, Symbol *s, SYMIDX n); void freesymtab(Symbol **stab, SYMIDX n1, SYMIDX n2); Symbol *symbol_copy(Symbol *s); Symbol *symbol_searchlist(symlist_t sl, const(char)* vident); void symbol_reset(Symbol *s); tym_t symbol_pointerType(const Symbol* s); // cg87.c void cg87_reset(); ubyte loadconst(elem *e, int im); /* From cgopt.c */ void opt(); // objrecor.c void objfile_open(const(char)*); void objfile_close(void *data, uint len); void objfile_delete(); void objfile_term(); /* cod3.c */ void cod3_thunk(Symbol *sthunk,Symbol *sfunc,uint p,tym_t thisty, uint d,int i,uint d2); /* out.c */ void outfilename(char *name,int linnum); void outcsegname(char *csegname); extern (C) void outthunk(Symbol *sthunk, Symbol *sfunc, uint p, tym_t thisty, targ_size_t d, int i, targ_size_t d2); void outdata(Symbol *s); void outcommon(Symbol *s, targ_size_t n); void out_readonly(Symbol *s); void out_readonly_comdat(Symbol *s, const(void)* p, uint len, uint nzeros); void out_regcand(symtab_t *); void writefunc(Symbol *sfunc); @trusted void alignOffset(int seg,targ_size_t datasize); void out_reset(); Symbol *out_readonly_sym(tym_t ty, void *p, int len); Symbol *out_string_literal(const(char)* str, uint len, uint sz); /* blockopt.c */ extern __gshared uint[BCMAX] bc_goal; block* block_calloc(); void block_init(); void block_term(); void block_next(int,block *); void block_next(Blockx *bctx,int bc,block *bn); block *block_goto(Blockx *bctx,BC bc,block *bn); void block_setlabel(uint lbl); void block_goto(); void block_goto(block *); void block_goto(block *bgoto, block *bnew); void block_ptr(); void block_pred(); void block_clearvisit(); void block_visit(block *b); void block_compbcount(); void blocklist_free(block **pb); void block_optimizer_free(block *b); void block_free(block *b); void blocklist_hydrate(block **pb); void blocklist_dehydrate(block **pb); void block_appendexp(block *b, elem *e); void block_initvar(Symbol *s); void block_endfunc(int flag); void brcombine(); void blockopt(int); void compdfo(); //#define block_initvar(s) (curblock->Binitvar = (s)) /* debug.c */ extern __gshared const(char)*[32] regstring; @trusted const(char)* class_str(SC c); @trusted const(char)* tym_str(tym_t ty); @trusted const(char)* oper_str(uint oper); @trusted const(char)* bc_str(uint bc); void WRarglst(list_t a); void WRblock(block *b); void WRblocklist(list_t bl); void WReqn(elem *e); void numberBlocks(block* startblock); void WRfunc(); void WRdefnod(); void WRFL(FL); char *sym_ident(SYMIDX si); /* cgelem.c */ elem *doptelem(elem *, goal_t); void postoptelem(elem *); int elemisone(elem *); /* msc.c */ targ_size_t size(tym_t); @trusted Symbol *symboldata(targ_size_t offset,tym_t ty); bool dom(const block* A, const block* B); uint revop(uint op); uint invrel(uint op); int binary(const(char)* p, const(char)** tab, int high); int binary(const(char)* p, size_t len, const(char)** tab, int high); /* go.c */ void go_term(); int go_flag(char *cp); void optfunc(); /* filename.c */ version (SCPP) { extern __gshared Srcfiles srcfiles; Sfile **filename_indirect(Sfile *sf); Sfile *filename_search(const(char)* name); Sfile *filename_add(const(char)* name); void filename_hydrate(Srcfiles *fn); void filename_dehydrate(Srcfiles *fn); void filename_merge(Srcfiles *fn); void filename_mergefl(Sfile *sf); void filename_translate(Srcpos *); void filename_free(); int filename_cmp(const(char)* f1,const(char)* f2); void srcpos_hydrate(Srcpos *); void srcpos_dehydrate(Srcpos *); } version (SPP) { extern __gshared Srcfiles srcfiles; Sfile **filename_indirect(Sfile *sf); Sfile *filename_search(const(char)* name); Sfile *filename_add(const(char)* name); int filename_cmp(const(char)* f1,const(char)* f2); void filename_translate(Srcpos *); } version (HTOD) { extern __gshared Srcfiles srcfiles; Sfile **filename_indirect(Sfile *sf); Sfile *filename_search(const(char)* name); Sfile *filename_add(const(char)* name); void filename_hydrate(Srcfiles *fn); void filename_dehydrate(Srcfiles *fn); void filename_merge(Srcfiles *fn); void filename_mergefl(Sfile *sf); int filename_cmp(const(char)* f1,const(char)* f2); void filename_translate(Srcpos *); void srcpos_hydrate(Srcpos *); void srcpos_dehydrate(Srcpos *); } // tdb.c uint tdb_gettimestamp(); void tdb_write(void *buf,uint size,uint numindices); uint tdb_typidx(void *buf); //uint tdb_typidx(ubyte *buf,uint length); void tdb_term(); // rtlsym.c void rtlsym_init(); void rtlsym_reset(); void rtlsym_term(); // compress.c extern(C) char *id_compress(const char *id, int idlen, size_t *plen); // Dwarf void dwarf_CFA_set_loc(uint location); void dwarf_CFA_set_reg_offset(int reg, int offset); void dwarf_CFA_offset(int reg, int offset); void dwarf_CFA_args_size(size_t sz); // Posix elem *exp_isconst(); elem *lnx_builtin_next_arg(elem *efunc,list_t arglist); char *lnx_redirect_funcname(const(char)*); void lnx_funcdecl(Symbol *,SC,enum_SC,int); int lnx_attributes(int hinttype,const void *hint, type **ptyp, tym_t *ptym,int *pattrtype);
D
instance DIA_Ado_EXIT(DIA_Proto_End) { npc = PIR_211_DS2P_Ado; };
D
# FIXED Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/blestack/hal/src/target/_common/TRNGCC26XX.c Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/stdint.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/_stdint40.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/sys/stdint.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/sys/cdefs.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/sys/_types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/machine/_types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/machine/_stdint.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/sys/_stdint.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/family/arm/m3/Hwi.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/std.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/stdarg.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/stddef.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/_ti_config.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/linkage.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/targets/arm/elf/std.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/targets/arm/elf/M3.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/targets/std.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/xdc.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types__prologue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/package/package.defs.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types__epilogue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/family/arm/m3/Hwi__prologue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/family/arm/m3/package/package.defs.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags__prologue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Main.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IHeap.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error__prologue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Main.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error__epilogue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Memory.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IHeap.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/package/Memory_HeapProxy.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IHeap.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IGateProvider.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/package/Main_Module_GateProxy.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IGateProvider.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags__epilogue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Log.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Log__prologue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Main.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Text.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Log__epilogue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Assert.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Assert__prologue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Main.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Assert__epilogue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/BIOS.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/BIOS__prologue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/package/package.defs.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IGateProvider.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/package/BIOS_RtsGateProxy.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IGateProvider.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/BIOS__epilogue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/interfaces/IHwi.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/interfaces/package/package.defs.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/family/arm/m3/Hwi__epilogue.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/drivers/Power.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/stdbool.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/drivers/utils/List.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/drivers/power/PowerCC26XX.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/drivers/dpl/HwiP.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/drivers/dpl/ClockP.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/trng.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_types.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/../inc/hw_chip_def.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_trng.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_memmap.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_ints.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/debug.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/interrupt.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_nvic.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/cpu.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_cpu_scs.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../driverlib/rom.h Drivers/TRNG/TRNGCC26XX.obj: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/blestack/hal/src/target/_common/TRNGCC26XX.h C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/blestack/hal/src/target/_common/TRNGCC26XX.c: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/stdint.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/_stdint40.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/sys/stdint.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/sys/cdefs.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/sys/_types.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/machine/_types.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/machine/_stdint.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/sys/_stdint.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/std.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/stdarg.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/stddef.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/_ti_config.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/linkage.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/targets/arm/elf/std.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/targets/arm/elf/M3.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/targets/std.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/xdc.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types__prologue.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/package/package.defs.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types__epilogue.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/family/arm/m3/Hwi__prologue.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/family/arm/m3/package/package.defs.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags__prologue.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error__prologue.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error__epilogue.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Memory.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/package/Memory_HeapProxy.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/package/Main_Module_GateProxy.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags__epilogue.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Log__prologue.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Text.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Log__epilogue.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Assert__prologue.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Assert__epilogue.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/BIOS.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/BIOS__prologue.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/package/package.defs.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IGateProvider.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/package/BIOS_RtsGateProxy.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IGateProvider.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/BIOS__epilogue.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/interfaces/IHwi.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IInstance.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/interfaces/package/package.defs.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_51_03_28_core/packages/xdc/runtime/IModule.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/kernel/tirtos/packages/ti/sysbios/family/arm/m3/Hwi__epilogue.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/drivers/Power.h: C:/ti/ccs920/ccs/tools/compiler/ti-cgt-arm_18.12.3.LTS/include/stdbool.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/drivers/utils/List.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/drivers/power/PowerCC26XX.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/drivers/dpl/HwiP.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/drivers/dpl/ClockP.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/trng.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_types.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/../inc/hw_chip_def.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_trng.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_memmap.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_ints.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/debug.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/interrupt.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_nvic.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/cpu.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../inc/hw_cpu_scs.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/devices/cc13x0/driverlib/../driverlib/rom.h: C:/ti/simplelink_cc13x0_sdk_3_20_00_23/source/ti/blestack/hal/src/target/_common/TRNGCC26XX.h:
D
CHSEQR (F08PSE) Example Program Data 4 :Value of N (-3.9700,-5.0400) (-1.1318,-2.5693) (-4.6027,-0.1426) (-1.4249, 1.7330) (-5.4797, 0.0000) ( 1.8585,-1.5502) ( 4.4145,-0.7638) (-0.4805,-1.1976) ( 0.0000, 0.0000) ( 6.2673, 0.0000) (-0.4504,-0.0290) (-1.3467, 1.6579) ( 0.0000, 0.0000) ( 0.0000, 0.0000) (-3.5000, 0.0000) ( 2.5619,-3.3708) :End of matrix H
D
module source; public import viva.collections; public import viva.css; public import viva.discord; public import viva.exceptions; public import viva.file; public import viva.gui; public import viva.html; public import viva.http; public import viva.io; public import viva.json; public import viva.logging; public import viva.mistflake; public import viva.path; public import viva.requests; public import viva.time; public import viva.types; public import viva.uuid; public import viva.xml; public import viva.yaml;
D
module mousedeer.object_module; // represent a module output to a llvm bytecode file. // One nyah module is composed of one or more object modules. // Each file may contain one or more object modules. // An object module is the smallest of: // The code in one source file. // The code in one module. // Therefore a single module split over multiple files becomes multiple object // modules. A single file containing multiple modules will contain an object // module for each source module. class ObjectModule { this(string path_) { static uint lastId = 0; path = path_; id = ++lastId; } uint id; // path to bytecode file (relative to configured bytecode output path) string path; } // vim:ts=2 sw=2:
D